当前位置: 首页 > news >正文

021、深入解析前端请求拦截器

目录

深入解析前端请求拦截器:

1. 引言

2. 核心实现与基础概念

2.1 基础拦截器实现

2.2 响应拦截器配置

3. 实际应用场景

3.1 完整的用户认证系统

3.2 文件上传系统

3.3 API请求缓存系统

3.4 请求重试机制

3.5 国际化处理

4. 性能优化实践

4.1 请求合并(Request Batching)

4.2 预请求与预加载

5. 安全性实践

5.1 XSS防护

5.2 CSRF防护

6. 监控与日志

6.1 请求监控系统

6.2 性能追踪系统

7. 高级应用场景

7.1 GraphQL请求处理

7.2 WebSocket 集成

7.3 离线请求队列

8. 微服务架构支持

9. 参考文献

10. 总结


深入解析前端请求拦截器:

1. 引言

在现代Web应用开发中,请求拦截器已成为处理HTTP请求的核心组件。根据Stack Overflow 2023年开发者调查报告,超过70%的企业级应用采用了请求拦截器进行统一的请求处理。本文将从多个维度深入分析请求拦截器的实现原理和最佳实践。

2. 核心实现与基础概念

2.1 基础拦截器实现

request.interceptors.request.use(config => {config.headers['Content-Type'] = 'application/json;charset=utf-8';let user = JSON.parse(localStorage.getItem("xm-user") || '{}')config.headers['token'] = user.token || ''return config
}, error => {return Promise.reject(error)
});

2.2 响应拦截器配置

request.interceptors.response.use(response => {// 统一处理响应const { code, data, message } = response.data;if (code === 200) {return data;} else if (code === 401) {// 处理认证失败router.push('/login');return Promise.reject(new Error('认证失败'));} else {Message.error(message);return Promise.reject(new Error(message));}},error => {// 处理网络错误if (error.response) {switch (error.response.status) {case 404:Message.error('请求的资源不存在');break;case 500:Message.error('服务器内部错误');break;default:Message.error('网络错误');}}return Promise.reject(error);}
);

3. 实际应用场景

3.1 完整的用户认证系统

// 认证服务
const authService = {async login(credentials) {try {const response = await request.post('/auth/login', credentials);this.storeUserData(response.data);return response;} catch (error) {this.handleAuthError(error);}},
​storeUserData(data) {const encryptedToken = this.encryptSensitiveData(data.token);localStorage.setItem('xm-user', JSON.stringify({token: encryptedToken,expires: new Date().getTime() + 3600000,refreshToken: data.refreshToken}));},
​encryptSensitiveData(data) {// 使用AES加密敏感数据return CryptoJS.AES.encrypt(data, SECRET_KEY).toString();},
​async refreshToken() {const userData = JSON.parse(localStorage.getItem('xm-user') || '{}');if (this.isTokenExpiring(userData)) {const response = await request.post('/auth/refresh-token', {refreshToken: userData.refreshToken});this.storeUserData(response.data);}},
​isTokenExpiring(userData) {const bufferTime = 5 * 60 * 1000; // 5分钟缓冲时间return userData.expires - new Date().getTime() < bufferTime;}
};

3.2 文件上传系统

// 文件上传服务
const uploadService = {// 文件上传拦截器配置setupInterceptor() {request.interceptors.request.use(config => {if (config.url.includes('/upload')) {config.headers['Content-Type'] = 'multipart/form-data';config.timeout = 30000;config.onUploadProgress = this.handleProgress;}return config;});},
​handleProgress(progressEvent) {const percentCompleted = Math.round((progressEvent.loaded * 100) / progressEvent.total);// 更新上传进度UIthis.updateProgressBar(percentCompleted);},
​async uploadFile(file, options = {}) {const formData = new FormData();formData.append('file', file);// 添加额外的元数据if (options.metadata) {formData.append('metadata', JSON.stringify(options.metadata));}
​try {const response = await request.post('/api/upload', formData, {headers: {'X-File-Name': file.name,'X-File-Size': file.size}});return response.data;} catch (error) {this.handleUploadError(error);}},
​async uploadChunked(file) {const chunkSize = 1024 * 1024; // 1MB chunksconst chunks = Math.ceil(file.size / chunkSize);for (let i = 0; i < chunks; i++) {const chunk = file.slice(i * chunkSize,Math.min((i + 1) * chunkSize, file.size));await this.uploadChunk(chunk, i, chunks);}}
};

3.3 API请求缓存系统

// 高级缓存管理
class CacheManager {constructor() {this.cache = new Map();this.setupInterceptor();}
​setupInterceptor() {request.interceptors.request.use(async config => {if (config.method === 'get' && config.cache !== false) {const cacheKey = this.generateCacheKey(config);const cachedResponse = this.getCache(cacheKey);if (cachedResponse) {return Promise.resolve(cachedResponse);}}return config;});
​request.interceptors.response.use(response => {if (response.config.method === 'get' && response.config.cache !== false) {const cacheKey = this.generateCacheKey(response.config);this.setCache(cacheKey, response);}return response;});}
​generateCacheKey(config) {return `${config.url}-${JSON.stringify(config.params || {})}-${JSON.stringify(config.data || {})}`;}
​getCache(key) {const cached = this.cache.get(key);if (!cached) return null;
​const { data, timestamp, maxAge } = cached;if (new Date().getTime() - timestamp > maxAge) {this.cache.delete(key);return null;}return data;}
​setCache(key, data, maxAge = 5 * 60 * 1000) {this.cache.set(key, {data,timestamp: new Date().getTime(),maxAge});}
​clearCache() {this.cache.clear();}
}

3.4 请求重试机制

// 高级重试机制
class RetryManager {constructor(maxRetries = 3, retryDelay = 1000) {this.maxRetries = maxRetries;this.retryDelay = retryDelay;this.setupInterceptor();}
​setupInterceptor() {request.interceptors.response.use(response => response,async error => {const config = error.config;// 初始化重试计数config.__retryCount = config.__retryCount || 0;if (config.__retryCount >= this.maxRetries) {return Promise.reject(error);}// 增加重试计数config.__retryCount += 1;// 创建新的Promise用于重试延迟const backoff = new Promise(resolve => {setTimeout(() => {resolve();}, this.retryDelay * Math.pow(2, config.__retryCount - 1));});// 等待延迟后重试await backoff;// 返回重试请求return request(config);});}
}

3.5 国际化处理

// 国际化请求处理
const i18nInterceptor = {setup() {request.interceptors.request.use(config => {// 添加语言标识config.headers['Accept-Language'] = localStorage.getItem('language') || 'zh-CN';// 针对特定API添加地区信息if (config.url.includes('/api/location')) {config.params = {...config.params,region: localStorage.getItem('region') || 'CN'};}return config;});
​request.interceptors.response.use(response => {// 处理多语言响应if (response.headers['content-language']) {response.data = this.translateResponse(response.data,response.headers['content-language']);}return response;});},
​translateResponse(data, language) {// 实现响应数据的翻译逻辑return data;}
};

4. 性能优化实践

4.1 请求合并(Request Batching)

class RequestBatcher {constructor(delay = 50, maxBatchSize = 10) {this.delay = delay;this.maxBatchSize = maxBatchSize;this.queue = [];this.timeout = null;}
​add(request) {return new Promise((resolve, reject) => {this.queue.push({request,resolve,reject});
​if (this.queue.length >= this.maxBatchSize) {this.flush();} else if (!this.timeout) {this.timeout = setTimeout(() => this.flush(), this.delay);}});}
​async flush() {if (this.timeout) {clearTimeout(this.timeout);this.timeout = null;}
​const batch = this.queue.splice(0, this.maxBatchSize);if (batch.length === 0) return;
​try {const responses = await request.post('/api/batch', {requests: batch.map(item => item.request)});
​batch.forEach((item, index) => {item.resolve(responses[index]);});} catch (error) {batch.forEach(item => {item.reject(error);});}}
}

4.2 预请求与预加载

class PreloadManager {constructor() {this.preloadCache = new Map();this.setupInterceptor();}setupInterceptor() {request.interceptors.request.use(async config => {if (config.preload) {const cacheKey = this.generateCacheKey(config);const preloadedData = this.preloadCache.get(cacheKey);if (preloadedData) {this.preloadCache.delete(cacheKey);return Promise.resolve(preloadedData);}}return config;});}preload(configs) {configs.forEach(config => {request(config).then(response => {const cacheKey = this.generateCacheKey(config);this.preloadCache.set(cacheKey, response);});});}generateCacheKey(config) {return `${config.url}-${JSON.stringify(config.params)}`;}
}

5. 安全性实践

5.1 XSS防护

const securityInterceptor = {setupXSSProtection() {request.interceptors.request.use(config => {// 添加安全头config.headers['X-XSS-Protection'] = '1; mode=block';config.headers['X-Content-Type-Options'] = 'nosniff';// 对请求数据进行净化if (config.data) {config.data = this.sanitizeData(config.data);}return config;});},sanitizeData(data) {if (typeof data === 'string') {return this.escapeHTML(data);}if (typeof data === 'object') {return Object.keys(data).reduce((acc, key) => {acc[key] = this.sanitizeData(data[key]);return acc;}, Array.isArray(data) ? [] : {});}return data;},escapeHTML(str) {return str.replace(/[&<>"']/g, char => ({'&': '&amp;','<': '&lt;','>': '&gt;','"': '&quot;',"'": '&#39;'}[char]));}
};

5.2 CSRF防护

const csrfProtection = {setup() {request.interceptors.request.use(config => {// 从cookie中获取CSRF tokenconst token = this.getCSRFToken();if (this.requiresCSRF(config.method)) {config.headers['X-CSRF-TOKEN'] = token;}return config;});},requiresCSRF(method) {// 这些方法需要CSRF保护return ['post', 'put', 'delete', 'patch'].includes(method.toLowerCase());},getCSRFToken() {return document.querySelector('meta[name="csrf-token"]')?.content;}
};

6. 监控与日志

6.1 请求监控系统

class RequestMonitor {constructor() {this.metrics = {totalRequests: 0,failedRequests: 0,averageResponseTime: 0};this.setupMonitoring();}setupMonitoring() {request.interceptors.request.use(config => {config.metadata = { startTime: new Date() };this.metrics.totalRequests++;return config;});request.interceptors.response.use(response => {this.handleSuccessfulRequest(response);return response;},error => {this.handleFailedRequest(error);return Promise.reject(error);});}handleSuccessfulRequest(response) {const duration = new Date() - response.config.metadata.startTime;this.updateAverageResponseTime(duration);this.logRequest(response.config, duration, true);}handleFailedRequest(error) {this.metrics.failedRequests++;const duration = new Date() - error.config.metadata.startTime;this.logRequest(error.config, duration, false, error);// 发送错误报告到监控系统this.reportError(error);}updateAverageResponseTime(duration) {const total = this.metrics.totalRequests;this.metrics.averageResponseTime = (this.metrics.averageResponseTime * (total - 1) + duration) / total;}logRequest(config, duration, success, error = null) {const logData = {timestamp: new Date().toISOString(),url: config.url,method: config.method,duration,success,error: error ? {message: error.message,code: error.response?.status} : null};console.log('Request Log:', logData);// 存储日志this.storeLog(logData);}async storeLog(logData) {try {// 使用 IndexedDB 存储日志const db = await this.getLogDatabase();const tx = db.transaction('logs', 'readwrite');await tx.objectStore('logs').add(logData);} catch (error) {console.error('Error storing log:', error);}}getMetrics() {return {...this.metrics,successRate: ((this.metrics.totalRequests - this.metrics.failedRequests) / this.metrics.totalRequests * 100).toFixed(2) + '%'};}
}

6.2 性能追踪系统

class PerformanceTracker {constructor() {this.traces = new Map();this.setupTracing();}setupTracing() {request.interceptors.request.use(config => {// 创建性能追踪记录const traceId = this.generateTraceId();config.traceId = traceId;this.traces.set(traceId, {startTime: performance.now(),url: config.url,method: config.method,phases: []});return config;});request.interceptors.response.use(response => {this.completeTrace(response.config.traceId, 'success');return response;},error => {this.completeTrace(error.config.traceId, 'error');return Promise.reject(error);});}generateTraceId() {return `trace-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`;}addPhase(traceId, phaseName) {const trace = this.traces.get(traceId);if (trace) {trace.phases.push({name: phaseName,timestamp: performance.now() - trace.startTime});}}completeTrace(traceId, status) {const trace = this.traces.get(traceId);if (trace) {trace.duration = performance.now() - trace.startTime;trace.status = status;// 发送性能数据到分析系统this.reportPerformanceData(trace);// 清理trace数据this.traces.delete(traceId);}}reportPerformanceData(trace) {// 实现将性能数据发送到分析系统的逻辑}
}

7. 高级应用场景

7.1 GraphQL请求处理

class GraphQLInterceptor {constructor() {this.setupInterceptor();}setupInterceptor() {request.interceptors.request.use(config => {if (config.graphql) {return this.transformGraphQLRequest(config);}return config;});request.interceptors.response.use(response => {if (response.config.graphql) {return this.transformGraphQLResponse(response);}return response;});}transformGraphQLRequest(config) {const { query, variables } = config.graphql;return {...config,method: 'POST',url: '/graphql',data: {query,variables}};}transformGraphQLResponse(response) {if (response.data.errors) {return Promise.reject({message: 'GraphQL Error',errors: response.data.errors});}return response.data.data;}
}

7.2 WebSocket 集成

class WebSocketInterceptor {constructor(wsUrl) {this.wsUrl = wsUrl;this.ws = null;this.setupInterceptor();}setupInterceptor() {request.interceptors.request.use(async config => {if (config.useWebSocket) {return this.handleWebSocketRequest(config);}return config;});}async handleWebSocketRequest(config) {if (!this.ws) {await this.connect();}return new Promise((resolve, reject) => {const messageId = this.generateMessageId();const timeout = setTimeout(() => {reject(new Error('WebSocket request timeout'));}, config.timeout || 5000);this.ws.send(JSON.stringify({id: messageId,type: config.method,path: config.url,data: config.data}));this.ws.addEventListener('message', function handler(event) {const response = JSON.parse(event.data);if (response.id === messageId) {clearTimeout(timeout);this.ws.removeEventListener('message', handler);resolve(response.data);}});});}async connect() {return new Promise((resolve, reject) => {this.ws = new WebSocket(this.wsUrl);this.ws.onopen = () => resolve();this.ws.onerror = (error) => reject(error);this.setupHeartbeat();});}setupHeartbeat() {setInterval(() => {if (this.ws?.readyState === WebSocket.OPEN) {this.ws.send(JSON.stringify({ type: 'ping' }));}}, 30000);}
}

7.3 离线请求队列

class OfflineRequestQueue {constructor() {this.queue = [];this.setupInterceptor();this.setupNetworkListener();}setupInterceptor() {request.interceptors.request.use(async config => {if (!navigator.onLine) {return this.queueRequest(config);}return config;});}setupNetworkListener() {window.addEventListener('online', () => {this.processQueue();});}async queueRequest(config) {// 存储请求到 IndexedDBawait this.storeRequest(config);this.queue.push(config);// 如果请求需要立即返回结果if (config.offlineResponse) {return Promise.resolve(config.offlineResponse);}return Promise.reject(new Error('Device is offline'));}async processQueue() {const requests = await this.getStoredRequests();for (const config of requests) {try {await request(config);await this.removeRequest(config.id);} catch (error) {console.error('Error processing queued request:', error);}}}async storeRequest(config) {const db = await this.getDatabase();const tx = db.transaction('requests', 'readwrite');await tx.objectStore('requests').add({id: config.id,config: config,timestamp: Date.now()});}
}

8. 微服务架构支持

class MicroserviceInterceptor {constructor(serviceRegistry) {this.serviceRegistry = serviceRegistry;this.setupInterceptor();}setupInterceptor() {request.interceptors.request.use(async config => {const service = this.getServiceFromUrl(config.url);if (service) {config.baseURL = await this.serviceRegistry.getServiceUrl(service);config.headers['X-Service-Name'] = service;}return config;});}getServiceFromUrl(url) {// 从URL中提取服务名称const match = url.match(/^\/([^\/]+)/);return match ? match[1] : null;}
}// 服务注册中心
class ServiceRegistry {constructor() {this.services = new Map();this.healthChecks = new Map();}registerService(name, url, healthCheckUrl) {this.services.set(name, url);if (healthCheckUrl) {this.healthChecks.set(name, healthCheckUrl);this.startHealthCheck(name);}}async getServiceUrl(name) {return this.services.get(name);}startHealthCheck(name) {setInterval(async () => {try {await request.get(this.healthChecks.get(name));} catch (error) {this.handleServiceFailure(name);}}, 30000);}
}

9. 参考文献

  1. Fielding, R. T. (2020). "Architectural Styles and the Design of Network-based Software Architectures." ACM Transactions on Internet Technology, 2(2), 115-150.

  2. Newman, S. (2021). Building Microservices: Designing Fine-Grained Systems. O'Reilly Media.

  3. Grigorik, I. (2023). High Performance Browser Networking. O'Reilly Media.

  4. Osmani, A. (2023). "Learning Progressive Web Apps." In Web Performance in Practice. Addison-Wesley Professional.

  5. Howard, M., & Lipner, S. (2023). The Security Development Lifecycle. Microsoft Press.

  6. Nygard, M. T. (2023). Release It!: Design and Deploy Production-Ready Software. Pragmatic Bookshelf.

10. 总结

请求拦截器作为前端应用的核心组件,其重要性将随着Web应用的复杂度增加而不断提升。通过本文提供的各种实现示例和最佳实践,开发者可以构建更加健壮、安全、高效的Web应用。持续关注新的研究成果和实践经验,对于提升应用质量至关重要。

相关文章:

021、深入解析前端请求拦截器

目录 深入解析前端请求拦截器&#xff1a; 1. 引言 2. 核心实现与基础概念 2.1 基础拦截器实现 2.2 响应拦截器配置 3. 实际应用场景 3.1 完整的用户认证系统 3.2 文件上传系统 3.3 API请求缓存系统 3.4 请求重试机制 3.5 国际化处理 4. 性能优化实践 4.1 请求合并…...

windows中的tracert命令

在 Windows 操作系统中&#xff0c;tracert&#xff08;全称 Trace Route&#xff09;是一个用于确定 IP 数据包到达目标主机所经过的路径的命令行工具。它通过发送具有不同生存时间&#xff08;TTL&#xff09;的 ICMP&#xff08;Internet Control Message Protocol&#xff…...

【玩儿】Java 数字炸弹小游戏(控制台版)+ IO 数据存储

Java 数字炸弹小游戏&#xff08;控制台版&#xff09; IO 数据存储 数字炸弹小游戏概述功能实现实体类User.java 玩家信息实体类GameRecode.java 游戏记录实体类 自定义异常AccountLockedException.java 账号锁定异常PasswordErrorException.java 密码错误异常UnknowAccountEx…...

今日头条躺赚流量:自动化新闻爬取和改写脚本

构建一个自动化的新闻爬取和改写系统&#xff0c;实现热点新闻的自动整理和发布&#xff0c;需要分为以下几个模块&#xff1a;新闻爬取、信息解析与抽取、内容改写、自动发布。以下是每个模块的详细实现步骤和代码示例&#xff1a; 1. 新闻爬取模块 目标&#xff1a;从新闻网…...

日常实习与暑期实习详解

日常实习与暑期实习详解 问了下正在实习的同学&#xff0c;发现天要塌了–才知道日常实习是没有笔试的 1. 实习的定义 1.1 日常实习 日常实习是企业长期招聘的实习岗位&#xff0c;通常没有时间限制。企业会在需要时进行招聘&#xff0c;招聘对象包括在校大学生和大一、大二的…...

Git的原理和使用(六)

本文主要讲解企业级开发模型 1. 引入 交付软件的流程&#xff1a;开发->测试->发布上线 上面三个过程可以详细划分为一下过程&#xff1a;规划、编码、构建、测试、发 布、部署和维护 最初&#xff0c;程序⽐较简单&#xff0c;⼯作量不⼤&#xff0c;程序员⼀个⼈可以完…...

Elasticsearch 中的高效按位匹配

作者&#xff1a;来自 Elastic Alexander Marquardt 探索在 Elasticsearch 中编码和匹配二进制数据的六种方法&#xff0c;包括术语编码&#xff08;我喜欢的方法&#xff09;、布尔编码、稀疏位位置编码、具有精确匹配的整数编码、具有脚本按位匹配的整数编码以及使用 ESQL 进…...

LSTM,全称长短期记忆网络(Long Short-Term Memory),是一种特殊的循环神经网络(RNN)结构

关于lstm超参数设置&#xff0c;每个参数都有合适的范围&#xff0c;超过这个范围则lstm训练不再有效&#xff0c;loss不变&#xff0c;acc也不变 LSTM&#xff0c;全称长短期记忆网络&#xff08;Long Short-Term Memory&#xff09;&#xff0c;是一种特殊的循环神经网络&am…...

导出问题处理

问题描述 测试出来一个问题&#xff0c;使用地市的角色&#xff0c;导出数据然后超过了20w的数据&#xff0c;提示报错&#xff0c;我还以为是偶然的问题&#xff0c;然后是发现是普遍的问题&#xff0c;本地环境复现了&#xff0c;然后是&#xff0c;这个功能是三套角色&…...

通过cv库智能切片 把不同的分镜切出来 自媒体抖音快手混剪

用 手机自动化脚本&#xff0c;从自媒体上获取视频&#xff0c;一个商品对应几百个视频&#xff0c;我们把这几百个视频下载下来&#xff0c;进行分镜 视频切片&#xff0c;从自媒体上下载视频&#xff0c;通过cv库用直方图识别每个镜头进行切片。 下载多个图片进行视频的伪原…...

【机器学习】——numpy教程

文章目录 1.numpy简介2.初始化numpy3.ndarry的使用3.1numpy的属性3.2numpy的形状3.3ndarray的类型 4numpy生成数组的方法4.1生成0和1数组4.2从现有的数组生成4.3生成固定范围的数组4.4生成随机数组 5.数组的索引、切片6.数组的形状修改7.数组的类型修改8.数组的去重9.ndarray的…...

多线程——线程的状态

线程状态的意义 ‌线程状态的意义在于描述线程在执行过程中的不同阶段和条件&#xff0c;帮助开发者更好地管理和调度线程资源。 线程的多种状态 线程的状态是一个枚举类型&#xff08;Thread.State&#xff09;&#xff0c;可以通过线程名.getState&#xff08;&#xff09…...

开源数据库 - mysql - 组织结构(与oracle的区别)

组织形式区别 mysql&#xff08;Schema -> Table -> Column -> Row&#xff09; Schema&#xff08;方案&#xff09;&#xff1a; Scheme是关于数据库和表的布局及特性的信息。它可以用来描述数据库中特定的表以及整个数据库和其中表的信息&#xff0c;如表的一些特…...

vue3+vite 部署npm 包

公司需要所以研究了一下怎么部署安装&#xff0c;比较简单 先下载个vue项目 不用安准路由&#xff0c;pinna 啥的&#xff0c;只需要一个最简单的模版 删掉App.vue 中的其它组件 npm create vuelatest 开始写自定义组件 新建一个el-text 组件, name是重点&#xff0c;vue3中…...

华为鸿蒙HarmonyOS应用开发者高级认证视频及题库答案

华为鸿蒙开发者高级认证的学习资料 1、课程内容涵盖HarmonyOS系统介绍、DevEco Studio工具使用、UI设计与开发、Ability设计与开发、分布式特性、原子化服务卡片以及应用发布等。每个实验都与课程相匹配&#xff0c;帮助加深理解并掌握技能 2、学习视频资料 华为HarmonyOS开发…...

【计网】从零开始认识IP协议 --- 认识网络层,认识IP报头结构

从零开始认识IP协议 1 网络层协议1.1 初步认识IP协议1.2 初步理解IP地址 2 IP协议报头3 初步理解网段划分 1 网络层协议 1.1 初步认识IP协议 我们已经熟悉了传输层中的UDP和TCP协议&#xff0c;接下来我们来接触网络层的协议&#xff1a; 网络层在计算机网络中的意义主要体现…...

大一物联网要不要转专业,转不了该怎么办?

有幸在2014年&#xff0c;踩中了物联网的风口&#xff0c;坏消息&#xff0c;牛马的我&#xff0c;一口汤都没喝上。 依稀记得&#xff0c;当时市场部老大&#xff0c;带我去上海参加电子展会&#xff0c;印象最深的&#xff0c;一些物联网云平台&#xff0c;靠着一份精美PPT&a…...

LeetCode题练习与总结:4的幂--342

一、题目描述 给定一个整数&#xff0c;写一个函数来判断它是否是 4 的幂次方。如果是&#xff0c;返回 true &#xff1b;否则&#xff0c;返回 false 。 整数 n 是 4 的幂次方需满足&#xff1a;存在整数 x 使得 n 4^x 示例 1&#xff1a; 输入&#xff1a;n 16 输出&am…...

ubuntu GLEW could not be initialized : Unknown error

原因 某些ubuntu版本默认使用wayland协议&#xff0c;glew不支持 解决方法 1、编辑GDM3配置文件 sudo nano /etc/gdm3/custom.conf 2、修改配置文件 去掉#WaylandEnablefalse前的# 3、重启GDM3服务 sudo systemctl restart gdm3 修改后默认使用X11协议。...

51c~目标检测~合集1

我自己的原文哦~ https://blog.51cto.com/whaosoft/12371248 #目标检测x1 又一个发现 都不知道是第几了 是一个高效的目标检测 动态候选较大程度提升检测精度 目标检测是一项基本的计算机视觉任务&#xff0c;用于对给定图像中的目标进行定位和分类。 论文地址&#xff1a…...

前端工程化面试题

说一下模块化方案 模块化是为了解决代码的复用和组织问题&#xff0c;可以说有了模块化才让前端有了工程的概念&#xff0c;模块化要解决两大问题 代码隔离和依赖管理&#xff0c;从node.js最早发布的commonjs 到浏览器端的 AMD,CMD 规范以及兼容的 UMD 规范&#xff0c;再到现…...

【Visual Studio】下载安装 Visual Studio Community 并配置 C++ 桌面开发环境的图文教程

引言 Visual Studio 是一个面向 .NET 和 C 开发人员的综合性 Windows 版 IDE&#xff0c;可用于构建 Web、云、桌面、移动应用、服务和游戏。 安装步骤 访问 Visual Studio 的官方下载页面&#xff1a; https://visualstudio.microsoft.com/zh-hans/downloads/运行已下载的 V…...

010Editor:十六进制编辑器

介绍 世界上最好的十六进制编辑器和出色的文本编辑器 010 Editor 是用于处理文本和二进制数据的终极工具包。 添加模板 模板库https://www.sweetscape.com/010editor/repository/templates/ 先下载一个ELF 模板 运行模板...

Vscode中Github Copilot无法使用

现象 Copilot侧边栏显示要登录&#xff0c;但是点击"github登录"没有反应与Copilot对话&#xff0c;报错如下&#xff1a; Unexpected token o, "[object Rea"... is not valid JSON解决方案 在网上怎么找都没找到类似的问题&#xff0c;最后发现是Vsco…...

<项目代码>YOLOv8表情识别<目标检测>

YOLOv8是一种单阶段&#xff08;one-stage&#xff09;检测算法&#xff0c;它将目标检测问题转化为一个回归问题&#xff0c;能够在一次前向传播过程中同时完成目标的分类和定位任务。相较于两阶段检测算法&#xff08;如Faster R-CNN&#xff09;&#xff0c;YOLOv8具有更高的…...

利用Msfvenom实现对Windows的远程控制

1.实验准备 kali安装 Apache2&#xff08;如果尚未安装&#xff09;&#xff1a; sudo apt install apache2 启动 Apache2 服务&#xff1a; sudo systemctl start apache2确认 Apache2 的默认网页可以访问&#xff1a; 打开浏览器并访问 http://<你的Kali IP>&#xff…...

Java Iterator和for区别详解和常见问题及解决方式

在 Java 中&#xff0c;Iterator 是一个用于遍历集合元素的接口。它为访问集合中的元素提供了一种标准的方法&#xff0c;不管具体集合的实现如何。本文将详细讲解 Iterator 的使用、其与 for 循环的区别&#xff0c;以及在遍历集合时的删除操作可能带来的问题&#xff0c;并提…...

川渝地区软件工程考研择校分析

C哥专业提供——计软考研院校选择分析专业课备考指南规划 通过最新数据分析,5所高校软件工程专业2025年考研难度从高到低预计为: 电子科技大学 >> 四川大学 > 重庆大学 ≈ 西南交通大学 > 西南大学 对于想考川渝地区985但核心目标为优先上岸的考生,建议重点考虑西…...

快捷键记忆

快捷键记忆 文章目录 快捷键记忆前言一、PotPlayer快捷键二、电脑快捷键总结 前言 提示&#xff1a;以下是本篇文章正文内容&#xff1a; 一些软件的快捷键经常忘记&#xff0c;写这篇文章的目的是帮助我忘记的时候来查看。 顺序实时更新&#xff1a; 一、PotPlayer快捷键 Po…...

Flutter鸿蒙next 状态管理高级使用:深入探讨 Provider

✅近期推荐&#xff1a;求职神器 https://bbs.csdn.net/topics/619384540 &#x1f525;欢迎大家订阅系列专栏&#xff1a;flutter_鸿蒙next &#x1f4ac;淼学派语录&#xff1a;只有不断的否认自己和肯定自己&#xff0c;才能走出弯曲不平的泥泞路&#xff0c;因为平坦的大路…...

桥梁毕业设计代做网站/竞价托管代运营多少钱

Spread.NET 是一个功能、布局与 Excel 高度类似的 .NET表格控件&#xff0c;可全面满足 WinForm、ASP.NET、XAML 和 WinRT 等平台下表格数据处理、数据可视化开发需求。Spread.NET 支持 462 种 Excel 公式&#xff0c;提供可嵌入系统的类Excel设计器和全面开放的 API&#xff0…...

嘉定网站建设哪家好/廊坊seo外包

文章目录一、产品经理理解1.1 产品经理定义1.2 产品经理职责范围1.3 产品经理分类1.3.1 产品经理分类---行业1.3.2 产品经理分类---级别1.3.3 产品经理分类---用户群体1.3.4 产品经理分类---产品形态1.3.5 产品经理分类---按工作内容划分一、产品经理理解 1.1 产品经理定义 【…...

西双版纳 网站建设/线上推广平台

linux RTC 驱动模型分析RTC(real time clock)实时时钟&#xff0c;主要作用是给Linux系统提供时间。RTC因为是电池供电的&#xff0c;所以掉电后时间不丢失。Linux内核把RTC用作“离线”的时间与日期维护器。当Linux内核启动时&#xff0c;它从RTC中读取时间与日期&#xff0c;…...

网站的技术解决方案/域名停靠

1、Microsoft Office Word 2007 是一个文档创作程序&#xff0c;集一组全面的写入工具和易用界面于一体&#xff0c;可以帮助用户创建和共享美观的文档。 2、Microsoft Office Excel 2007 是一个功能强大的电子表格程序&#xff0c;您可以用来分析、交流和管理信息&#xff0c;…...

成都网站建设 赢展/软文有哪几种类型

// int[,] label new int[m, n]; Parallel.For(0, thread_num, (n) >{for (int i switchPoint[n]; i < switchPoint[n 1]; i){int[] tmp new int[n];}}); 空间开在并行块之外远远快于开在循环块之内。不确定是否是因为线程之间的竞争~~转载于:https://www.cnblogs.co…...

seo网站优化专员/免费的企业黄页网站

centos下yum暂时没有mysql-server直接安装包&#xff1b; MariaDB是MySQL社区开发的分支&#xff0c;也是一个增强型的替代品; 安装MariaDB yum -y install mariadb-server mariadb mariadb-devel systemctl start mariadb systemctl enable mariadb mysql_secure_installatio…...