rollup 源码解析 - watch 监听

文章目录

  • rollup watch 实现流程
  • watch
    • WatchEmitter 实现
  • watchInternal
    • Watcher 管理整个 watch 阶段
    • Task 运行任务
    • FileWatcher 实现文件监听

rollup watch 实现流程

  • 每一个配置了 watch 的配置项都会变成一个 Task 任务,每个任务通过 FileWatcher 即 chokidar 进行监听,需要监听的文件依赖有两种
    • 一种是文件自身 import 的依赖,会被放进 dependencies 属性里
    • 一种是文件在被插件处理的过程中通过 this.addWatchFile 时,watch 的文件会放进该模块的 transformDependencies 属性里
      • 插件里调用 this.emitFile 生成的文件会放进该模块的 transformFiles 属性里
  • 每个 Task 通过 Watcher 进行管理

rollup 打包结果其中一个文件数据结构:

{"assertions": {},"ast": {// 当前模块 ast },"code": "import _createClass from \"@babel/runtime/helpers/createClass\";\nimport _classCallCheck from \"@babel/runtime/helpers/classCallCheck\";\nimport _defineProperty from \"@babel/runtime/helpers/defineProperty\";\nimport \"core-js/modules/es7.array.includes.js\";\nimport a from \"a-test\";\nimport foo from \"./foo.js\";\nimport packageJosn from \"./package.json\";\nvar b = require(\"path\");\nvar fn = function fn() {\n  console.log(\"index fn243\", a);\n  console.log(packageJosn.version);\n  console.log(b);\n};\nfn();\nvar A = /*#__PURE__*/_createClass(function A() {\n  _classCallCheck(this, A);\n  _defineProperty(this, \"a\", void 0);\n  this.a = \"ww2\";\n});\nvar aa = new A();\nvar res = [];\nconsole.log(res.includes(\"ff\"));\nconsole.log(foo);\nexport default fn;","customTransformCache": false,"dependencies": ["/Users/xxx/Desktop/demo/node_modules/@babel/runtime/helpers/esm/createClass.js","/Users/xxx/Desktop/demo/node_modules/@babel/runtime/helpers/esm/classCallCheck.js","/Users/xxx/Desktop/demo/node_modules/@babel/runtime/helpers/esm/defineProperty.js","core-js/modules/es7.array.includes.js","a-test","/Users/xxx/Desktop/demo/foo.js","/Users/xxx/Desktop/demo/package.json"],"id": "/Users/xxx/Desktop/demo/index.js","meta": {"commonjs": {"hasDefaultExport": true,"isCommonJS": false}},"moduleSideEffects": true,"originalCode": "import a from \"a-test\";\nimport foo from \"./foo.js\";\nimport packageJosn from \"./package.json\";\nconst b = require(\"path\");\n\nconst fn = () => {\n  console.log(\"index fn243\", a);\n  console.log(packageJosn.version);\n  console.log(b);\n};\nfn();\n\nclass A {\n  a;\n  constructor() {\n    this.a = \"ww2\";\n  }\n}\n\nconst aa = new A();\n\nlet res = [];\nconsole.log(res.includes(\"ff\"));\n\nconsole.log(foo);\n\nexport default fn;\n","originalSourcemap": null,"resolvedIds": {"./package.json": {"assertions": {},"external": false,"id": "/Users/xxx/Desktop/demo/package.json","meta": {},"moduleSideEffects": true,"resolvedBy": "node-resolve","syntheticNamedExports": false},"core-js/modules/es7.array.includes.js": {"assertions": {},"external": true,"id": "core-js/modules/es7.array.includes.js","meta": {},"moduleSideEffects": true,"resolvedBy": "rollup","syntheticNamedExports": false},"./foo.js": {"assertions": {},"external": false,"id": "/Users/xxx/Desktop/demo/foo.js","meta": {},"moduleSideEffects": true,"resolvedBy": "node-resolve","syntheticNamedExports": false},"a-test": {"assertions": {},"external": true,"id": "a-test","meta": {},"moduleSideEffects": true,"resolvedBy": "rollup","syntheticNamedExports": false},"@babel/runtime/helpers/defineProperty": {"assertions": {},"external": false,"id": "/Users/xxx/Desktop/demo/node_modules/@babel/runtime/helpers/esm/defineProperty.js","meta": {},"moduleSideEffects": true,"resolvedBy": "node-resolve","syntheticNamedExports": false},"@babel/runtime/helpers/createClass": {"assertions": {},"external": false,"id": "/Users/xxx/Desktop/demo/node_modules/@babel/runtime/helpers/esm/createClass.js","meta": {},"moduleSideEffects": true,"resolvedBy": "node-resolve","syntheticNamedExports": false},"@babel/runtime/helpers/classCallCheck": {"assertions": {},"external": false,"id": "/Users/xxx/Desktop/demo/node_modules/@babel/runtime/helpers/esm/classCallCheck.js","meta": {},"moduleSideEffects": true,"resolvedBy": "node-resolve","syntheticNamedExports": false}},"sourcemapChain": [{"version": 3,"names": ["a","foo","packageJosn","b","require","fn","console","log","version","A","_createClass","_classCallCheck","_defineProperty","aa","res","includes"],"sources": ["index.js"],"sourcesContent": ["import a from \"a-test\";\nimport foo from \"./foo.js\";\nimport packageJosn from \"./package.json\";\nconst b = require(\"path\");\n\nconst fn = () => {\n  console.log(\"index fn243\", a);\n  console.log(packageJosn.version);\n  console.log(b);\n};\nfn();\n\nclass A {\n  a;\n  constructor() {\n    this.a = \"ww2\";\n  }\n}\n\nconst aa = new A();\n\nlet res = [];\nconsole.log(res.includes(\"ff\"));\n\nconsole.log(foo);\n\nexport default fn;\n"],"mappings": [// ...],"syntheticNamedExports": false,"transformDependencies": ["./index2.ts"],"transformFiles": [{"type": "asset","source": "export default what"}]
}

watch

  • 当 rollup 配置了 watch 监听文件更改后打包时,会调用下面的函数
  • WatchEmitter 和 node emiter 实现类似,都是发布订阅
    • WatchEmitter 是暴露给开发者可以在 rollup watch 各个阶段订阅
    • watchInternal 是 rollup 真正内部进行监听的方法,会在各个阶段调用 WatchEmitter 发布
export default function watch(configs: RollupOptions[] | RollupOptions): RollupWatcher {const emitter = new WatchEmitter() as RollupWatcher; // 对外暴露给用户注册 watch 过程相关的事件订阅器// 真正内部实现监听的方法watchInternal(configs, emitter).catch(error => {handleError(error);});return emitter; // 对外暴露给用户注册的和 watch 相关的 emitter 事件 ,注册的事件会在 watchInternal 中运行各个阶段触发
}

WatchEmitter 实现

import type { AwaitedEventListener, AwaitingEventEmitter } from '../rollup/types';export class WatchEmitter<T extends { [event: string]: (...parameters: any) => any }>implements AwaitingEventEmitter<T>
{private currentHandlers: {[K in keyof T]?: AwaitedEventListener<T, K>[];} = Object.create(null);private persistentHandlers: {[K in keyof T]?: AwaitedEventListener<T, K>[];} = Object.create(null);// Will be overwritten by Rollupasync close(): Promise<void> {}emit<K extends keyof T>(event: K, ...parameters: Parameters<T[K]>): Promise<unknown> {return Promise.all([...this.getCurrentHandlers(event), ...this.getPersistentHandlers(event)].map(handler =>handler(...parameters)));}off<K extends keyof T>(event: K, listener: AwaitedEventListener<T, K>): this {const listeners = this.persistentHandlers[event];if (listeners) {// A hack stolen from "mitt": ">>> 0" does not change numbers >= 0, but -1// (which would remove the last array element if used unchanged) is turned// into max_int, which is outside the array and does not change anything.listeners.splice(listeners.indexOf(listener) >>> 0, 1);}return this;}on<K extends keyof T>(event: K, listener: AwaitedEventListener<T, K>): this {this.getPersistentHandlers(event).push(listener);return this;}onCurrentRun<K extends keyof T>(event: K, listener: AwaitedEventListener<T, K>): this {this.getCurrentHandlers(event).push(listener);return this;}once<K extends keyof T>(event: K, listener: AwaitedEventListener<T, K>): this {const selfRemovingListener: AwaitedEventListener<T, K> = (...parameters) => {this.off(event, selfRemovingListener);return listener(...parameters);};this.on(event, selfRemovingListener);return this;}removeAllListeners(): this {this.removeListenersForCurrentRun();this.persistentHandlers = Object.create(null);return this;}removeListenersForCurrentRun(): this {this.currentHandlers = Object.create(null);return this;}private getCurrentHandlers<K extends keyof T>(event: K): AwaitedEventListener<T, K>[] {return this.currentHandlers[event] || (this.currentHandlers[event] = []);}private getPersistentHandlers<K extends keyof T>(event: K): AwaitedEventListener<T, K>[] {return this.persistentHandlers[event] || (this.persistentHandlers[event] = []);}
}

watchInternal

const optionsList = await Promise.all(ensureArray(configs).map(config => mergeOptions(config))); // 和内置 options 合并
const watchOptionsList = optionsList.filter(config => config.watch !== false); // 只拿到配置了 watch 的 options 配置
if (watchOptionsList.length === 0) {return error(errorInvalidOption('watch',URL_WATCH,'there must be at least one config where "watch" is not set to "false"'));
}
await loadFsEvents(); // 加载 mac 下的监听文件变化的第三方库:fsevents
const { Watcher } = await import('./watch'); // 真正内部实现监听的 watcher
new Watcher(watchOptionsList, emitter);

Watcher 管理整个 watch 阶段

  • 每个 rollup 的打包配置项对应一个 Task 任务,Watcher 类的作用就是管理每一个 Task 的运行
export class Watcher {readonly emitter: RollupWatcher;private buildDelay = 0;private buildTimeout: NodeJS.Timer | null = null;private closed = false;private readonly invalidatedIds = new Map<string, ChangeEvent>(); // 收集 watch 过程每一次变化的文件 id 及其对应的事件private rerun = false;private running = true;private readonly tasks: Task[];// optionsList 所有配置了 watch 的 option; emitter 暴露给用户注册 watch 过程相关事件的订阅器constructor(optionsList: readonly MergedRollupOptions[], emitter: RollupWatcher) {this.emitter = emitter;emitter.close = this.close.bind(this);this.tasks = optionsList.map(options => new Task(this, options)); // 每一个配置了 watch 的 option 都对应一个 Task,Task 内通过 FileWatcher 实现了通过 chokidar 进行监听for (const { watch } of optionsList) {// 每次重新运行的防抖时间if (watch && typeof watch.buildDelay === 'number') {this.buildDelay = Math.max(this.buildDelay, watch.buildDelay!);}}// 初始执行process.nextTick(() => this.run());}async close(): Promise<void> {if (this.closed) return;this.closed = true;if (this.buildTimeout) clearTimeout(this.buildTimeout);for (const task of this.tasks) {task.close();}await this.emitter.emit('close');this.emitter.removeAllListeners();}// 文件变化后调用此函数重新打包invalidate(file?: { event: ChangeEvent; id: string }): void {if (file) {const previousEvent = this.invalidatedIds.get(file.id);const event = previousEvent ? eventsRewrites[previousEvent][file.event] : file.event;// 为每一个变换了的文件 id 设置对应的事件 "delete" | "add" ...if (event === 'buggy') {//TODO: throws or warn? Currently just ignore, uses new eventthis.invalidatedIds.set(file.id, file.event);} else if (event === null) {this.invalidatedIds.delete(file.id);} else {this.invalidatedIds.set(file.id, event);}}if (this.running) {this.rerun = true;return;}if (this.buildTimeout) clearTimeout(this.buildTimeout);// 定时器防抖触发 rollup 重新 runthis.buildTimeout = setTimeout(async () => {this.buildTimeout = null;try {// 文件变化后触发对应emitterawait Promise.all([...this.invalidatedIds].map(([id, event]) => this.emitter.emit('change', id, { event })));this.invalidatedIds.clear();await this.emitter.emit('restart');this.emitter.removeListenersForCurrentRun(); // 取消当前过程注册的所有事件// 重新打包this.run();} catch (error: any) {this.invalidatedIds.clear();await this.emitter.emit('event', {code: 'ERROR',error,result: null});await this.emitter.emit('event', {code: 'END'});}}, this.buildDelay);}private async run(): Promise<void> {this.running = true;await this.emitter.emit('event', {code: 'START'});// 根据配置项重新运行 rollupfor (const task of this.tasks) {await task.run();}this.running = false;await this.emitter.emit('event', {code: 'END'});if (this.rerun) {this.rerun = false;this.invalidate();}}
}

Task 运行任务

  • 每一个配置了 watch 的 rollup 选项都会变成一个单独的 Task,每一个Task 都管理每一次运行任务
export class Task {cache: RollupCache = { modules: [] };watchFiles: string[] = [];private closed = false;private readonly fileWatcher: FileWatcher; // 真正去实现监听的 watcherprivate filter: (id: string) => boolean; // 过滤监听private invalidated = true;private readonly options: MergedRollupOptions;private readonly outputFiles: string[];private readonly outputs: OutputOptions[];private skipWrite: boolean;private watched = new Set<string>(); // 收集每次监听的文件 idprivate readonly watcher: Watcher; // watcher 为管理 Task 的 Watcherconstructor(watcher: Watcher, options: MergedRollupOptions) {this.watcher = watcher; // watcher 为管理 Task 的Watcherthis.options = options;// 是否跳过输出文件this.skipWrite = Boolean(options.watch && options.watch.skipWrite);this.outputs = this.options.output;// 解析输出文件地址的路径this.outputFiles = this.outputs.map(output => {if (output.file || output.dir) return resolve(output.file || output.dir!);return undefined as never;});const watchOptions: WatcherOptions = this.options.watch || {};// 创建 watch 中配置了 exclude、include 相关的过滤方法this.filter = createFilter(watchOptions.include, watchOptions.exclude);this.fileWatcher = new FileWatcher(this, {...watchOptions.chokidar,disableGlobbing: true,ignoreInitial: true});}close(): void {this.closed = true;this.fileWatcher.close();}// chokidar 监听到文件变化后触发 ,id 变化的文件 id; event 对应的文件变化类型; isTransformDependency 当前模块在插件中额外依赖的 idinvalidate(id: string, details: { event: ChangeEvent; isTransformDependency?: boolean }): void {this.invalidated = true;// 当前模块在 rollup 打包时插件中添加的依赖模块// 当依赖模块更新后,该模块缓存失效清空if (details.isTransformDependency) {for (const module of this.cache.modules) {// 插件里调用 this.addWatchFile 时,watch的文件会放进该模块的 transformDependencies 属性里// 插件里调用 this.emitFile 生成的文件会放进该模块的 transformFiles 属性里if (!module.transformDependencies.includes(id)) continue;// effective invalidationmodule.originalCode = null as never; // 清除缓存的内容,后续重新生成}}this.watcher.invalidate({ event: details.event, id });}async run(): Promise<void> {if (!this.invalidated) return; // 是否在运行中this.invalidated = false;const options = {...this.options,cache: this.cache};const start = Date.now();await this.watcher.emitter.emit('event', {code: 'BUNDLE_START',input: this.options.input,output: this.outputFiles});let result: RollupBuild | null = null;try {result = await rollupInternal(options, this.watcher.emitter); // 到此和非 watch 模式下一致if (this.closed) {return;}// 打包完成,获取到所有需要监听变化的文件 idthis.updateWatchedFiles(result);this.skipWrite || (await Promise.all(this.outputs.map(output => result!.write(output))));await this.watcher.emitter.emit('event', {code: 'BUNDLE_END',duration: Date.now() - start,input: this.options.input,output: this.outputFiles,result});} catch (error: any) {if (!this.closed) {if (Array.isArray(error.watchFiles)) {for (const id of error.watchFiles) {this.watchFile(id);}}if (error.id) {this.cache.modules = this.cache.modules.filter(module => module.id !== error.id);}}await this.watcher.emitter.emit('event', {code: 'ERROR',error,result});}}// 添加打包过程需要的所有监听文件、清除不需要的监听文件private updateWatchedFiles(result: RollupBuild) {const previouslyWatched = this.watched;this.watched = new Set();// 返回本次打包运行监听的文件 idthis.watchFiles = result.watchFiles;// 缓存打包结果this.cache = result.cache!;for (const id of this.watchFiles) {this.watchFile(id);}// 获取缓存文件的 idfor (const module of this.cache.modules) {// 在插件中添加的需要观测的依赖for (const depId of module.transformDependencies) {this.watchFile(depId, true);}}// 取消监听上一轮不需要监听的文件 idfor (const id of previouslyWatched) {if (!this.watched.has(id)) {this.fileWatcher.unwatch(id);}}}private watchFile(id: string, isTransformDependency = false) {if (!this.filter(id)) return;this.watched.add(id); // 收集每次监听的文件 idif (this.outputFiles.includes(id)) {throw new Error('Cannot import the generated bundle');}// this is necessary to ensure that any 'renamed' files// continue to be watched following an errorthis.fileWatcher.watch(id, isTransformDependency);}
}

FileWatcher 实现文件监听

import { platform } from 'node:os';
import chokidar, { type FSWatcher } from 'chokidar';
import type { ChangeEvent, ChokidarOptions } from '../rollup/types';
import type { Task } from './watch';export class FileWatcher {private readonly chokidarOptions: ChokidarOptions;private readonly task: Task;private readonly transformWatchers = new Map<string, FSWatcher>(); // 收集所有监听插件中添加的依赖文件的 chokdir watcherprivate readonly watcher: FSWatcher; // 正常的 Task 对应的 chokidar watcherconstructor(task: Task, chokidarOptions: ChokidarOptions) {this.chokidarOptions = chokidarOptions; // 用户传递的 chokidar 配置this.task = task; // 每一个带有 watch 的 option 对应的 Taskthis.watcher = this.createWatcher(null); // 通过 chokidar 监听的实例}close(): void {this.watcher.close();for (const watcher of this.transformWatchers.values()) {watcher.close();}}unwatch(id: string): void {this.watcher.unwatch(id);const transformWatcher = this.transformWatchers.get(id);if (transformWatcher) {this.transformWatchers.delete(id);transformWatcher.close();}}watch(id: string, isTransformDependency: boolean): void {// 如果是插件中添加的依赖文件,单独生成一个 chokidar watcherif (isTransformDependency) {const watcher = this.transformWatchers.get(id) ?? this.createWatcher(id);watcher.add(id);this.transformWatchers.set(id, watcher);} else {this.watcher.add(id);}}// transformWatcherId 区分是否是插件中添加的依赖发生了变化private createWatcher(transformWatcherId: string | null): FSWatcher {const task = this.task;const isLinux = platform() === 'linux';const isTransformDependency = transformWatcherId !== null;// chokidar 监听到文件变化时触发的回调const handleChange = (id: string, event: ChangeEvent) => {const changedId = transformWatcherId || id;if (isLinux) {// unwatching and watching fixes an issue with chokidar where on certain systems,// a file that was unlinked and immediately recreated would create a change event// but then no longer any further eventswatcher.unwatch(changedId);watcher.add(changedId);}// 重新运行打包task.invalidate(changedId, { event, isTransformDependency });};// 通过 chokidar 进行监听const watcher = chokidar.watch([], this.chokidarOptions).on('add', id => handleChange(id, 'create')).on('change', id => handleChange(id, 'update')).on('unlink', id => handleChange(id, 'delete'));return watcher;}
}

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

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

相关文章

elasticsearch 索引数据多了怎么办,如何调优,部署

当Elasticsearch索引的数据量增加时&#xff0c;可能会遇到性能瓶颈&#xff0c;需要进行调优。以下是一些建议和步骤&#xff0c;可帮助你处理数据量增加的情况&#xff1a; 1. 硬件升级&#xff1a; 增加节点数或升级硬件&#xff0c;包括更快的CPU、更大的内存和更快的存储…

【Git】Git的基本操作

前言 Git是当前最主流的版本管理器&#xff0c;它可以控制电脑上的所有格式的文件。 它对于开发人员&#xff0c;可以管理项目中的源代码文档。&#xff08;可以记录不同提交的修改细节&#xff0c;并且任意跳转版本&#xff09; 本篇博客基于最近对Git的学习&#xff0c;简单介…

JavaScript 基础学习笔记(二):数据类型、数值类型、字符串类型、布尔类型、undefined、类型转换、隐式转换、显式转换、Number

目录 一、数据类型 1.1 数值类型 1.2 字符串类型 1.3 布尔类型 1.4 undefined 二、类型转换 2.1 隐式转换 2.2 显式转换 2.3 Number 一、数据类型 计算机程序可以处理大量的数据&#xff0c;为了方便数据的管理&#xff0c;将数据分成了不同的类型&#xff1a; 注&a…

Python中的用户交互函数详解,提升用户体验!

更多Python学习内容&#xff1a;ipengtao.com 用户进行交互的Python应用程序&#xff0c;有许多常用的用户交互函数可以帮助创建更具吸引力和友好的用户界面。本文将介绍一些常用的Python用户交互函数&#xff0c;并提供详细的示例代码&#xff0c;以帮助大家更好地理解它们的用…

右键添加 idea 打开功能

1.开始运行regedit 2.找到: HKEY_LOCAL_MACHINE\SOFTWARE\Classes\Directory\shell _3.开始设置 一、右键shell目录新建项Idea二、右键Idea新建command三、选择Idea 右侧空白出新建字符串 名字为Icon 值填入idea的运行程序地址 四、选择command 默认项填入idea的运行程序地址…

技术探秘:在RISC Zero中验证FHE——RISC Zero应用的DevOps(2)

1. 引言 前序博客&#xff1a; 技术探秘&#xff1a;在RISC Zero中验证FHE——由隐藏到证明&#xff1a;FHE验证的ZK路径&#xff08;1&#xff09; 技术探秘&#xff1a;在RISC Zero中验证FHE——由隐藏到证明&#xff1a;FHE验证的ZK路径&#xff08;1&#xff09; 中&…

项目中cesium使用方法

cesium方法整理 一、安装依赖 // 安装cesium npm install cesium --save // 安装turf工具 npm install truf/turf --save // 安装cesium vite插件 npm install vite-plugin-cesim --save 二、项目中引用 import * as Cesium from cesium import cesium/Build/Cesium/Widget…

【privateGPT】使用privateGPT训练您自己的LLM

了解如何在不向提供商公开您的私人数据的情况下训练您自己的语言模型 使用OpenAI的ChatGPT等公共人工智能服务的主要担忧之一是将您的私人数据暴露给提供商的风险。对于商业用途&#xff0c;这仍然是考虑采用人工智能技术的公司最大的担忧。 很多时候&#xff0c;你想创建自己…

【GOLANG】使用插件 Goanno 的方式来对方法、接口、结构体注释模板配置

直接 使用插件 Goanno 的方式来对方法、接口、结构体注释模板配置 1、简单安装 Goanno 插件 File->Settings->Plugins , 搜索 Goanno Normal Method 配置内容如下&#xff1a; // Title ${function_name} // Description ${todo} // Author mumu ${date} ${time} // Par…

技能分析:这就是人们写在简历上的内容

您希望您的技能部分听起来像其他人一样吗&#xff1f;另一方面&#xff0c;您是否想遗漏一项顶级技能&#xff0c;因为许多其他简历也列出了它&#xff1f;在脱颖而出和涵盖雇主寻求的所有技能之间找到平衡可能是一个挑战。 优秀的简历技能部分会考虑到每个雇主所寻求的特质。…

海云安亮相2023北京国际金融安全论坛,助力金融企业数字化转型降本增效

近日&#xff0c;2023北京国际金融安全论坛暨金融科技标准认证生态大会在北京金融安全产业园成功举办。深圳海云安网络安全技术有限公司&#xff08;以下简称“海云安”&#xff09;受邀参展亮相此次大会。海云安作为国内领先的金融科技服务商&#xff0c;展示了开发安全系列产…

C#中的集合

一、集合的概念 数组可以保存多个对象&#xff0c;但在某些情况下无法确定到底需要保存多少个对象&#xff0c;由于数组的长度不可变&#xff0c;因此数组将不再适用。 如何保存数目不确定的对象呢&#xff1f; 为了保存这些数目不确定的对象&#xff0c;C#中提供了一系列特殊…

Unity坦克大战开发全流程——开始场景——排行榜数据逻辑

开始场景——排行榜数据逻辑 排行榜单条数据 排行榜列表 然后在数据管理类中声明一个对应的字段 初始化数据 然后再在上一节课所编写的UpdatePanelInfo函数中处理数据更新的逻辑 时间换算算法 然后再在数据管理类中编写一个在排行榜中添加数据的方法以提供给外部 直到当前RankI…

【BERT】深入理解BERT模型1——模型整体架构介绍

前言 BERT出自论文&#xff1a;《BERT&#xff1a;Pre-training of Deep Bidirectional Transformers for Language Understanding》 2019年 近年来&#xff0c;在自然语言处理领域&#xff0c;BERT模型受到了极为广泛的关注&#xff0c;很多模型中都用到了BERT-base或者是BE…

搜索算法和推荐算法、广告算法的区别

广告和推荐算法的技术框架比较相似&#xff0c;在线计算时都分为召回&#xff08;candidates generating&#xff09;和排序&#xff08;candidates ranking&#xff09;两个阶段&#xff08;这似乎是计算资源有限条件下&#xff0c;所有检索问题的通用架构&#xff09;。 在某…

2024年网络安全竞赛-页面信息发现任务解析

页面信息发现任务说明: 服务器场景:win20230305(关闭链接)在渗透机中对服务器信息收集,将获取到的服务器网站端口作为Flag值提交;访问服务器网站页面,找到主页面中的Flag值信息,将Flag值提交;访问服务器网站页面,找到主页面中的脚本信息,并将Flag值提交;访问服务器…

RabbitMQ详解

RabbitMQ 概念 RabbitMQ 是一个由 Erlang 语言开发的 AMQP 的开源实现。 AMQP &#xff1a;Advanced Message Queue&#xff0c;高级消息队列协议。它是应用层协议的一个开放标准&#xff0c;为面向消息的中间件设计&#xff0c;基于此协议的客户端与消息中间件可传递消息&a…

2023年全国网络安全行业职业技能大赛数据安全管理员操作技能赛题(样题)

2023年全国网络安全行业职业技能大赛数据安全管理员操作技能赛题(样题) 2023年全国网络安全行业职业技能大赛数据安全管理员操作技能赛题(样题) 第一部分&#xff1a;数据安全防护(30%) 第二部分&#xff1a;数据安全管理(30%) 第三部分&#xff1a;数据安全处置(40%) 项目介绍…

C#常用类

一、C#常用类 C#中有一些具有特定功能的类&#xff0c;例如操作字符串的类、用于操作日期的类、生成随机数的类 字符串的基本特征 1、字符串的不可变性 字符串对象一旦创建&#xff0c;就无法对其进行修改。 .NET框架的底层提供了一种机制&#xff0c;当一个字符串已经被创建…

React Native 从类组件到函数组件

1. 发展趋势 React Native社区中的趋势是朝向使用函数组件&#xff08;Functional Components&#xff09;和Hooks的方向发展&#xff0c;而不是使用类组件&#xff08;Class Components&#xff09;。 React Native自推出Hooks API以来&#xff0c;函数组件和Hooks的使用变得…