【JavaScript】手写 Promise(核心功能)

1. 构造函数

  1. 定义类
  2. 添加构造函数,接收 func 函数参数
  3. 定义 resolve,reject
  4. 执行回调函数,传入自定义的 resolve 和 reject
class MyPromise {constructor(func) {const resolve = (result) => {console.log('run', result)}const reject = (result) => {console.log('run', reject)}func(resolve, reject)}
}// -----------------测试------------------
const p = new MyPromise((resolve, reject)=> {resolve('success')// reject('error')
})

2. 状态及原因

  1. 添加状态及原因
  2. resolve 和 reject 函数调整状态原因和状态不可逆
const PENDING = 'pending'
const FULFILLED = 'fulfilled'
const REJECTED = 'rejected'class MyPromise {state = PENDINGresult = undefinedconstructor(func) {const resolve = (result) => {if (this.state === PENDING) {this.state = FULFILLEDthis.result = result}}const reject = (result) => {if (this.state === PENDING) {this.state = REJECTEDthis.result = result}}func(resolve, reject)
}
}// -----------------测试------------------
const p = new MyPromise((resolve, reject) => {resolve('success')reject('error')
})

3. then 方法

  1. 添加 then 方法
  2. 函数参数的类型按断(参考文档)
  3. 根据状态执行 then 的函数参数回调
3.1 成功和失败的回调
const PENDING = 'pending'
const FULFILLED = 'fulfilled'
const REJECTED = 'rejected'class MyPromise {state = PENDING
result = undefinedconstructor(func) {const resolve = (result) => {if (this.state === PENDING) {this.state = FULFILLEDthis.result = result}}const reject = (result) => {if (this.state === PENDING) {this.state = REJECTEDthis.result = result}}func(resolve, reject)
}then(onFulfilled, onRejected) {onFulfilled = typeof onFulfilled === 'function' ? onFulfilled: x => xonRejected = typeof  onRejected === 'function'? onRejected: x => {throw x}if (this.state === FULFILLED) {onFulfilled(this.result);} else if (this.state === REJECTED) {onRejected(this.result);}
}
}// -----------------测试------------------
const p = new MyPromise((resolve, reject) => {// resolve('success')reject('error111')
})
p.then(res => {console.log('成功回调:', res)
}, 'string')
3.2 异步和多次调用
  1. 定义实例属性 #handlers
  2. then 方法,状态为 pending 保存回调函数
  3. 构造函数取出并执行保存的回调函数
    const PENDING = 'pending'const FULFILLED = 'fulfilled'const REJECTED = 'rejected'class MyPromise {/*** 状态* @type {string}*/state = PENDING/*** 原因* @type {*}*/result = undefined/*** 保存回调函数的对象数组* @type {[]}*/#handlers = []constructor(func) {/*** 构造成功的 Promise* @param result*/const resolve = (result) => {if (this.state === PENDING) {this.state = FULFILLEDthis.result = resultthis.#handlers.forEach(({onFulfilled}) => {onFulfilled(this.result)})}}/*** 构造失败的 Promise* @param result*/const reject = (result) => {if (this.state === PENDING) {this.state = REJECTEDthis.result = resultthis.#handlers.forEach(({onRejected}) => {onRejected(this.result)})}}func(resolve, reject)}/*** then 方法* @param onFulfilled 成功回调函数* @param onRejected  失败回调函数*/then(onFulfilled, onRejected) {onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : x => xonRejected = typeof onRejected === 'function' ? onRejected : x => {throw x}if (this.state === FULFILLED) {onFulfilled(this.result);} else if (this.state === REJECTED) {onRejected(this.result);} else if (this.state === PENDING) {this.#handlers.push({onFulfilled, onRejected})}}}// -----------------测试------------------const p = new MyPromise((resolve, reject) => {setTimeout(() => {// resolve('success')reject('error')}, 2000)})p.then(res => {console.log('成功回调:', res)}, err => {console.log('失败回调', err)})p.then(res => {console.log('成功回调:', res)}, err => {console.log('失败回调', err)})

4. 异步任务

4.1 使用核心 api
  1. queueMicrotask :新式浏览器均支持,node11开始支持,ie不支持

  2. MutationObserver :新式浏览器均支持,ie11开始支持

  3. setTimeout:浏览器支持,node支持

// ------------- 异步任务1 queueMicrotask  -------------
// node v11 ie 不支持
// console.log('top')
queueMicrotask(() => {// ....
})
// console.log('bottom')// ------------- 异步任务2 MutationObserver -------------
// node 不支持 ie11
console.log('top')
// 创建并返回一个新的观察器,它会在触发指定 DOM 事件时,调用指定的回调函数
const obs = new MutationObserver(() => {console.log('MutationObserver-run')
})
// 创建div
const divNode = document.createElement('div')
// 监听创建的div ,监听子节点改变
obs.observe(divNode, { childList: true })
// 修改内容触发回调函数
divNode.innerText = 'itheima 666'
console.log('bottom')
4.2 异步任务
  1. 定义异步任务函数 api
  2. 异步任务封装 onFulfilled 和 onRejected 函数
    const PENDING = 'pending'const FULFILLED = 'fulfilled'const REJECTED = 'rejected'/*** 异步执行任务(底层异步函数放入微任务,最后用宏任务 setTimeout 兜底)* @param callback*/function runAsynctask(callback) {// 如果浏览器不支持则为 undefinedif (typeof queueMicrotask === 'function') {queueMicrotask(callback)} else if (typeof MutationObserver === 'function') {const obs = new MutationObserver(callback)const divNode = document.createElement('div')obs.observe(divNode, {childList: true})divNode.innerText = 'heo'} else {setTimeout(callback, 0);}}class MyPromise {/*** 状态* @type {string}*/state = PENDING/*** 原因* @type {*}*/result = undefined/*** 保存回调函数的对象数组* @type {[]}*/#handlers = []constructor(func) {/*** 构造成功的 Promise* @param result*/const resolve = (result) => {if (this.state === PENDING) {this.state = FULFILLEDthis.result = resultthis.#handlers.forEach(({onFulfilled}) => {onFulfilled(this.result)})}}/*** 构造失败的 Promise* @param result*/const reject = (result) => {if (this.state === PENDING) {this.state = REJECTEDthis.result = resultthis.#handlers.forEach(({onRejected}) => {onRejected(this.result)})}}func(resolve, reject)}/*** then 方法* @param onFulfilled 成功回调函数* @param onRejected  失败回调函数*/then(onFulfilled, onRejected) {onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : x => xonRejected = typeof onRejected === 'function' ? onRejected : x => {throw x}if (this.state === FULFILLED) {runAsynctask(() => {onFulfilled(this.result);})} else if (this.state === REJECTED) {runAsynctask(() => {onRejected(this.result);})} else if (this.state === PENDING) {this.#handlers.push({onFulfilled: () => {runAsynctask(() => {onFulfilled(this.result)})}, onRejected: () => {runAsynctask(() => {onRejected(this.result)})}})}}}// -----------------测试------------------console.log('top')const p = new MyPromise((resolve, reject) => {resolve('success')})p.then(res=> {console.log(res)})console.log('bottom')

5. 链式编程

5.1 处理 fulfilled 状态
5.1.1 处理异常和普通函数
  1. 返回新的 Promise 实例
  2. 获取成功回调函数结果,并传入新的 resolve 或者 reject
	<script>const PENDING = 'pending'const FULFILLED = 'fulfilled'const REJECTED = 'rejected'/*** 异步执行任务(底层异步函数放入微任务,最后用宏任务 setTimeout 兜底)* @param callback*/function runAsynctask(callback) {// 如果浏览器不支持则为 undefinedif (typeof queueMicrotask === 'function') {queueMicrotask(callback)} else if (typeof MutationObserver === 'function') {const obs = new MutationObserver(callback)const divNode = document.createElement('div')obs.observe(divNode, { childList: true })divNode.innerText = 'heo'} else {setTimeout(callback, 0);}}class MyPromise {/*** 状态* @type {string}*/state = PENDING/*** 原因* @type {*}*/result = undefined/*** 保存回调函数的对象数组* @type {[]}*/#handlers = []constructor(func) {/*** 构造成功的 Promise* @param result*/const resolve = (result) => {if (this.state === PENDING) {this.state = FULFILLEDthis.result = resultthis.#handlers.forEach(({ onFulfilled }) => {onFulfilled(this.result)})}}/*** 构造失败的 Promise* @param result*/const reject = (result) => {if (this.state === PENDING) {this.state = REJECTEDthis.result = resultthis.#handlers.forEach(({ onRejected }) => {onRejected(this.result)})}}func(resolve, reject)}/*** then 方法* @param onFulfilled 成功回调函数* @param onRejected  失败回调函数*/then(onFulfilled, onRejected) {onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : x => xonRejected = typeof onRejected === 'function' ? onRejected : x => {throw x}const p2 = new MyPromise((resolve,reject)=> {if (this.state === FULFILLED) {runAsynctask(() => {try {const x = onFulfilled(this.result);resolve(x)} catch (e) {reject(e)}})} else if (this.state === REJECTED) {runAsynctask(() => {onRejected(this.result);})} else if (this.state === PENDING) {this.#handlers.push({onFulfilled: () => {runAsynctask(() => {onFulfilled(this.result)})}, onRejected: () => {runAsynctask(() => {onRejected(this.result)})}})}})return p2;}}// -----------------测试------------------const p = new MyPromise((resolve, reject) => {resolve('1')})p.then(res => {console.log('p1', res)throw 'throw-error'return '2'}).then(res=> {console.log('p2',res)},err=> {console.log('p2',err)})</script>
5.1.2 处理返回 Promise

返回了promise对象,在源码中对这个返回的promise对象进行链式调用,这样就能直接在then的里面获取到结果,其实就是源码帮了个忙,不用开发者自己再链式调用。

  1. 判断是否返回 Promise
  2. 调用 then 方法,进行 resolve 或 reject 处理
<script>const PENDING = 'pending'const FULFILLED = 'fulfilled'const REJECTED = 'rejected'/*** 异步执行任务(底层异步函数放入微任务,最后用宏任务 setTimeout 兜底)* @param callback*/function runAsynctask(callback) {// 如果浏览器不支持则为 undefinedif (typeof queueMicrotask === 'function') {queueMicrotask(callback)} else if (typeof MutationObserver === 'function') {const obs = new MutationObserver(callback)const divNode = document.createElement('div')obs.observe(divNode, {childList: true})divNode.innerText = 'heo'} else {setTimeout(callback, 0);}}class MyPromise {/*** 状态* @type {string}*/state = PENDING/*** 原因* @type {*}*/result = undefined/*** 保存回调函数的对象数组* @type {[]}*/#handlers = []constructor(func) {/*** 构造成功的 Promise* @param result*/const resolve = (result) => {if (this.state === PENDING) {this.state = FULFILLEDthis.result = resultthis.#handlers.forEach(({onFulfilled}) => {onFulfilled(this.result)})}}/*** 构造失败的 Promise* @param result*/const reject = (result) => {if (this.state === PENDING) {this.state = REJECTEDthis.result = resultthis.#handlers.forEach(({onRejected}) => {onRejected(this.result)})}}func(resolve, reject)}/*** then 方法* @param onFulfilled 成功回调函数* @param onRejected  失败回调函数*/then(onFulfilled, onRejected) {onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : x => xonRejected = typeof onRejected === 'function' ? onRejected : x => {throw x}const p2 = new MyPromise((resolve, reject) => {if (this.state === FULFILLED) {runAsynctask(() => {try {const x = onFulfilled(this.result);if (x instanceof MyPromise) {x.then(res => {resolve(res)}, err => {reject(err)})} else {resolve(x);}} catch (e) {reject(e)}})} else if (this.state === REJECTED) {runAsynctask(() => {onRejected(this.result);})} else if (this.state === PENDING) {this.#handlers.push({onFulfilled: () => {runAsynctask(() => {onFulfilled(this.result)})}, onRejected: () => {runAsynctask(() => {onRejected(this.result)})}})}})return p2;}}// -----------------测试------------------const p = new MyPromise((resolve, reject) => {resolve('1')})p.then(res => {return new MyPromise((resolve, reject) => {resolve(2)// reject('error')})}).then(res => {console.log('p2', res)}, err => {console.log('p2', err)})
</script>
5.1.3 处理重复引用(手动 return then 的返回值)
  1. 判断是否为重复引用
  2. 抛出异常
<script>const PENDING = 'pending'const FULFILLED = 'fulfilled'const REJECTED = 'rejected'/*** 异步执行任务(底层异步函数放入微任务,最后用宏任务 setTimeout 兜底)* @param callback*/function runAsynctask(callback) {// 如果浏览器不支持则为 undefinedif (typeof queueMicrotask === 'function') {queueMicrotask(callback)} else if (typeof MutationObserver === 'function') {const obs = new MutationObserver(callback)const divNode = document.createElement('div')obs.observe(divNode, {childList: true})divNode.innerText = 'heo'} else {setTimeout(callback, 0);}}class MyPromise {/*** 状态* @type {string}*/state = PENDING/*** 原因* @type {*}*/result = undefined/*** 保存回调函数的对象数组* @type {[]}*/#handlers = []constructor(func) {/*** 构造成功的 Promise* @param result*/const resolve = (result) => {if (this.state === PENDING) {this.state = FULFILLEDthis.result = resultthis.#handlers.forEach(({onFulfilled}) => {onFulfilled(this.result)})}}/*** 构造失败的 Promise* @param result*/const reject = (result) => {if (this.state === PENDING) {this.state = REJECTEDthis.result = resultthis.#handlers.forEach(({onRejected}) => {onRejected(this.result)})}}func(resolve, reject)}/*** then 方法* @param onFulfilled 成功回调函数* @param onRejected  失败回调函数*/then(onFulfilled, onRejected) {onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : x => xonRejected = typeof onRejected === 'function' ? onRejected : x => {throw x}const p2 = new MyPromise((resolve, reject) => {if (this.state === FULFILLED) {runAsynctask(() => {try {const x = onFulfilled(this.result);if (x === p2) {throw new TypeError('Chaining cycle detected for promise #<Promise>')}if (x instanceof MyPromise) {x.then(res => {resolve(res)}, err => {reject(err)});} else {resolve(x);}} catch (e) {reject(e)}})} else if (this.state === REJECTED) {runAsynctask(() => {onRejected(this.result);})} else if (this.state === PENDING) {this.#handlers.push({onFulfilled: () => {runAsynctask(() => {onFulfilled(this.result)})}, onRejected: () => {runAsynctask(() => {onRejected(this.result)})}})}})return p2;}}// -----------------测试------------------// TypeError: Chaining cycle detected for promise #<Promise>const p = new MyPromise((resolve, reject) => {resolve('1')})const p2 = p.then(res=> {return p2;})p2.then(res=>{}, err => {console.log('err:', err)})
</script>
5.2 处理 rejected 状态

步骤同处理 fulfilled 状态。

优化:

  1. 处理异常
  2. 抽取 resolvePromise 函数(处理返回 Promise 和其他值的情况)
  3. 调用函数
<script>const PENDING = 'pending'const FULFILLED = 'fulfilled'const REJECTED = 'rejected'/*** 异步执行任务(底层异步函数放入微任务,最后用宏任务 setTimeout 兜底)* @param callback*/function runAsynctask(callback) {// 如果浏览器不支持则为 undefinedif (typeof queueMicrotask === 'function') {queueMicrotask(callback)} else if (typeof MutationObserver === 'function') {const obs = new MutationObserver(callback)const divNode = document.createElement('div')obs.observe(divNode, {childList: true})divNode.innerText = 'heo'} else {setTimeout(callback, 0);}}/*** 处理返回 Promise 和其他值的情况* @param p2 then 的返回 Promise 结果* @param x 成功或者失败回调函数的结果* @param resolve 构造成功的 Promise* @param reject 构造失败的 Promise*/function resolvePromise(p2, x, resolve, reject) {if (x === p2) {throw new TypeError('Chaining cycle detected for promise #<Promise>')}if (x instanceof MyPromise) {x.then(res => {resolve(res)}, err => {reject(err)});} else {resolve(x)}}class MyPromise {/*** 状态* @type {string}*/state = PENDING/*** 原因* @type {*}*/result = undefined/*** 保存回调函数的对象数组* @type {[]}*/#handlers = []constructor(func) {/*** 构造成功的 Promise* @param result*/const resolve = (result) => {if (this.state === PENDING) {this.state = FULFILLEDthis.result = resultthis.#handlers.forEach(({onFulfilled}) => {onFulfilled(this.result)})}}/*** 构造失败的 Promise* @param result*/const reject = (result) => {if (this.state === PENDING) {this.state = REJECTEDthis.result = resultthis.#handlers.forEach(({onRejected}) => {onRejected(this.result)})}}func(resolve, reject)}/*** then 方法* @param onFulfilled 成功回调函数* @param onRejected  失败回调函数*/then(onFulfilled, onRejected) {onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : x => xonRejected = typeof onRejected === 'function' ? onRejected : x => {throw x}const p2 = new MyPromise((resolve, reject) => {if (this.state === FULFILLED) {runAsynctask(() => {try {const x = onFulfilled(this.result);resolvePromise(p2, x, resolve, reject)} catch (e) {reject(e)}})} else if (this.state === REJECTED) {runAsynctask(() => {try {const x = onRejected(this.result);resolvePromise(p2, x, resolve, reject)} catch (e) {reject(e)}})} else if (this.state === PENDING) {this.#handlers.push({onFulfilled: () => {runAsynctask(() => {onFulfilled(this.result)})}, onRejected: () => {runAsynctask(() => {onRejected(this.result)})}})}})return p2;}}// -----------------测试------------------// TypeError: Chaining cycle detected for promise #<Promise>const p = new MyPromise((resolve, reject) => {reject(1)})const p2 = p.then(undefined, err => {// throw 'err'// return p2return 2// return new MyPromise((resolve, reject)=> {//     resolve('MyPromise-2')// reject('MyPromise-error')// })})p2.then(res => {console.log('p2-res:', res)}, err => {console.log('p2-err:', err)})
</script>
5.3 处理 pending 状态

步骤同处理 rejected 状态。

优化:

  1. 处理异常
  2. 调用 resolvePromise 函数(处理返回 Promise 和其他值的情况)
<script>const PENDING = 'pending'const FULFILLED = 'fulfilled'const REJECTED = 'rejected'/*** 异步执行任务(底层异步函数放入微任务,最后用宏任务 setTimeout 兜底)* @param callback*/function runAsynctask(callback) {// 如果浏览器不支持则为 undefinedif (typeof queueMicrotask === 'function') {queueMicrotask(callback)} else if (typeof MutationObserver === 'function') {const obs = new MutationObserver(callback)const divNode = document.createElement('div')obs.observe(divNode, {childList: true})divNode.innerText = 'heo'} else {setTimeout(callback, 0);}}/*** 处理返回 Promise 和其他值的情况* @param p2 then 的返回 Promise 结果* @param x 成功或者失败回调函数的结果* @param resolve 构造成功的 Promise* @param reject 构造失败的 Promise*/function resolvePromise(p2, x, resolve, reject) {if (x === p2) {throw new TypeError('Chaining cycle detected for promise #<Promise>')}if (x instanceof MyPromise) {x.then(res => {resolve(res)}, err => {reject(err)});} else {resolve(x)}}class MyPromise {/*** 状态* @type {string}*/state = PENDING/*** 原因* @type {*}*/result = undefined/*** 保存回调函数的对象数组* @type {[]}*/#handlers = []constructor(func) {/*** 构造成功的 Promise* @param result*/const resolve = (result) => {if (this.state === PENDING) {this.state = FULFILLEDthis.result = resultthis.#handlers.forEach(({onFulfilled}) => {onFulfilled(this.result)})}}/*** 构造失败的 Promise* @param result*/const reject = (result) => {if (this.state === PENDING) {this.state = REJECTEDthis.result = resultthis.#handlers.forEach(({onRejected}) => {onRejected(this.result)})}}func(resolve, reject)}/*** then 方法* @param onFulfilled 成功回调函数* @param onRejected  失败回调函数*/then(onFulfilled, onRejected) {onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : x => xonRejected = typeof onRejected === 'function' ? onRejected : x => {throw x}const p2 = new MyPromise((resolve, reject) => {if (this.state === FULFILLED) {runAsynctask(() => {try {const x = onFulfilled(this.result);resolvePromise(p2, x, resolve, reject)} catch (e) {reject(e)}})} else if (this.state === REJECTED) {runAsynctask(() => {try {const x = onRejected(this.result);resolvePromise(p2, x, resolve, reject)} catch (e) {reject(e)}})} else if (this.state === PENDING) {this.#handlers.push({onFulfilled: () => {runAsynctask(() => {try {const x = onFulfilled(this.result)resolvePromise(p2,x,resolve,reject)} catch (e) {reject(e)}})}, onRejected: () => {runAsynctask(() => {try {const x = onRejected(this.result)resolvePromise(p2,x,resolve,reject)} catch (e) {reject(e)}})}})}})return p2;}}// -----------------测试------------------const p = new MyPromise((resolve, reject) => {setTimeout(()=> {resolve(1)},2000)})const p2 = p.then(res=> {// throw 'err'// return p2// return 2return new MyPromise((resolve, reject)=> {setTimeout(()=> {// resolve('resolve-2')reject('reject-2')},2000)})})p2.then(res => {console.log('p2-res:', res)}, err => {console.log('p2-err:', err)})
</script>

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/662359.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Docker 集群配置

1、配置 MySQL MySQL 简单安装 docker安装完MySQL并run出容器后&#xff0c;建议请先修改完字符集编码后再新建mysql库-表-插数据 docker run -d -p 2222:3306 --privilegedtrue -e MYSQL_ROOT_PASSWORD123456 \ -v /opt/mysql/log:/var/log/mysql \ -v /opt/mysql/data:/va…

微服务gptapi开发记录(一)

最近跟着网上在弄gpt微信公众号 最近主要做了几件事情 1.深入学习了springboot的原理和技术框架。 2.学习了http访问的相关 3.实现了公众号跟本地springboot的对接 4.实现了本地调用gpt的gpt3.5-api成功。 第一&#xff1a;springboot的原理和技术框架。 springboot是微…

Spring:JDBCTemplate 的源码分析

一&#xff1a;JdbcTemplate的简介 JdbcTemplate 是 Spring Template设置模式中的一员。类似的还有 TransactionTemplate、 MongoTemplate 等。通过 JdbcTemplate 我们可以使得 Spring 访问数据库的过程简单化。 二&#xff1a;执行SQL语句的方法 1&#xff1a;在JdbcTempla…

前端性能优化:Vue项目打包后app.xxx.js 和 chunk-vendors.xxx.js 文件太大,导致页面加载时间太长

问题场景&#xff0c;如下图&#xff0c;环境上的 app.js 和chunk-vendors.js 两个文件大小&#xff0c;高达3.4M 和 2M &#xff0c;加载所耗费的时间也很长。 下面说一下如何解决&#xff1a; 1、首先需要安装插件 compression-webpack-plugin&#xff0c;我这里用的是6.1.1…

情人节送什么礼给男朋友合适?适合送男友的礼物合集

情人节即将来临&#xff0c;作为贴心的女友&#xff0c;你是否已经开始为男友精心挑选礼物了呢&#xff1f;为了让这个特殊的日子充满温馨与甜蜜&#xff0c;选择一份既实用又充满心意的礼物是至关重要的&#xff0c;下面为大家推荐一些适合在情人节送给男友的好物&#xff0c;…

探索自然语言处理在改善搜索引擎、语音助手和机器翻译中的应用

文章目录 每日一句正能量前言文本分析语音识别机器翻译语义分析自然语言生成情感分析后记 每日一句正能量 努力学习&#xff0c;勤奋工作&#xff0c;让青春更加光彩。 前言 自然语言处理&#xff08;NLP&#xff09;是人工智能领域中与人类语言相关的重要研究方向&#xff0c…

搭建gitlab仓库

yum安装gitlab仓库 搭建gitlab仓库 配置yum源 vim /etc/yum.repos.d/gitlab-ce.repo [gitlab-ce] namegitlab-ce baseurlhttps://mirrors.tuna.tsinghua.edu.cn/gitlab-ce/yum/el7 gpgcheck0 Repo_gpgcheck0 Enabled1 Gpgkeyhttps://packages.gitlab.com/gpg.keysudo yum ins…

腾讯主导制定全球首个车载小程序国际标准,助力车载应用生态发展

2024年1月&#xff0c;国际电信联盟标准部门&#xff08;ITU-T&#xff09;正式发布了由腾讯主导制定的《F.749.8 In-vehicle multimedia applets: Framework and functional requirements》(车载多媒体小程序框架和技术需求)国际标准。 这是全球首个由中国企业主导制定的车载小…

LNMP环境搭建动态网站

一、环境准备 服务器&#xff1a;openEuler 22.03 Linux IPV4 &#xff1a;192.168.110.144/24 网页服务器&#xff1a;Nginx1.21.0 数据库&#xff1a;MySQL 8.0.36 PHP&#xff1a;8.0.30 1.安装软件 [rootnode3 ~]# yum install php-mysqlnd php php-gd php-fpm php-xml -y…

在ESXi中部署时出现the host does not support intel vt-x

在VCenter中新建了一台ESXi用于部署VCSA进行实验 在部署VCSA的第二阶段&#xff0c;出现the host does not support intel vt-x&#xff0c;部署失败。 解决办法&#xff1a;点进ESXi虚拟机的设置界面&#xff08;要先关机&#xff09;&#xff0c;将硬件虚拟化打开&#xff0c…

Socket.D 协议的开发缘由

为什么搞个新协议&#xff1f; 2021年时&#xff0c;想为 Solon 生态 提供一种 MVC 体验的 Socket 和 WebSocket 开发方式。这个想法&#xff0c;要求消息“能路由”、“有元信息”、“可建立关联性”。于是就开发了 Socket.D 早期版本&#xff08;算是草案版&#xff09;。经…

关于Odoo Bus 总线库

Odoo 是一款流行的开源业务管理软件&#xff0c;拥有许多用于管理各种业务流程的应用程序&#xff0c;例如会计、销售、库存等。 Odoo Bus 是一个消息传递系统&#xff0c;允许 Odoo 中的客户端和服务器之间进行实时通信。 Odoo Bus 库是一个用于在 Odoo Bus 上构建实时应用程序…

【Vue3+Vite】路由机制router 快速学习 第四期

文章目录 路由简介路由是什么路由的作用 一、路由入门案例1. 创建项目 导入路由依赖2. 准备页面和组件3. 准备路由配置4. main.js引入router配置 二、路由重定向三、编程式路由(useRouter)四、路由传参(useRoute)五、路由守卫总结 路由简介 路由是什么 路由就是根据不同的 URL…

正点原子--STM32中断系统学习笔记(2)

引言 上篇帖子STM32中断系统学习笔记(1)是理论&#xff0c;这篇帖子开始实战&#xff0c;目标是通过按键实现LED的控制。 1.工程建立 以正点原子HAL库 实验1 跑马灯实验为基础&#xff0c;复制工程&#xff0c;在“Drivers--BSP”目录下建立EXTI文件夹&#xff0c;并创建ext…

Spring Cloud Gateway 修改请求体、响应体

前言 例行每半年一次的工作轮换&#xff0c;接手了同事的网关服务 年底了工作不是很忙&#xff0c;看了下前人的代码&#xff0c;虽然都能读懂&#xff0c;但感觉应该可以再优雅一点 于是把网关的相关知识又翻阅了一下 官方资料 PS&#xff1a;这里如果按新方案调整的话&#…

Windows - 防火墙 - 如何开启单个端口以供Web应用访问(以82端口为例) - 开启端口后还是访问失败了?

Windows - 防火墙 - 如何开启单个端口以供Web应用访问(以82端口为例) - 开启端口后还是访问失败了&#xff1f; 前言 在网上搜“防火墙开启某个端口”供其他机器访问&#xff0c;都是只讲到了“如何允许某个端口被访问”&#xff0c;而没有后续了。 我之前就遇到过这个问题&…

数据据库八之 视图、触发器、事务

【零】准备数据 【1】创建表 &#xff08;1&#xff09;部门表 d_id是部门的编号d_name是部门的名字 # 确保表不存在 drop table if exists department; # 创建表 create table department( d_id int auto_increment primary key, d_name varchar(6) )auto_increment 501 …

STM32-GPIO输入——按键检测

1 软件设计 为了使程序更有条例&#xff0c;方便移植在“工程模板”之上新建“bsp_key.c”及“bsp_key.h”文件&#xff0c;这些文件也可根据您的喜好命名&#xff0c;这 些文件不属于STM32HAL库的内容&#xff0c;是由我们自己根据应用需要编写的 1.1 编程要点 1&#xff…

2024-01-06-AI 大模型全栈工程师 - 机器学习基础

摘要 2024-01-06 阴 杭州 晴 本节简介: a. 数学模型&算法名词相关概念; b. 学会数学建模相关知识&#xff1b; c. 学会自我思考&#xff0c;提升认知&#xff0c;不要只会模仿&#xff1b; 课程内容 1. Fine-Tuning 有什么作用&#xff1f; a. 什么是模型训练&#xff…

Linux(一)

目录结构 【在 Linux 世界里&#xff0c;一切皆文件】 linux 的文件系统是采用级层式的树状目录结构&#xff1b; 序号名称介绍备注1/&#xff1a;根目录一般根目录下只存放目录&#xff0c;在 linux 下有且只有一个根目录&#xff0c;所有的东西都是从这里开始&#xff1b; 当…