JavaScript系列(26)--安全编程实践详解

JavaScript安全编程实践详解 🔒

今天,让我们深入探讨JavaScript的安全编程实践。在当今的网络环境中,安全性已经成为开发者必须重点关注的领域。

安全编程基础 🌟

💡 小知识:JavaScript安全编程涉及多个方面,包括XSS防护、CSRF防御、输入验证、安全存储、安全通信等。通过采用正确的安全实践,我们可以有效防范常见的安全威胁。

XSS防护实践 🛡️

// 1. HTML转义工具
class HTMLEscaper {static escapeMap = {'&': '&amp;','<': '&lt;','>': '&gt;','"': '&quot;',"'": '&#x27;','/': '&#x2F;'};static escape(str) {return str.replace(/[&<>"'/]/g, char => this.escapeMap[char]);}static createSafeHTML(unsafeHTML) {const div = document.createElement('div');div.textContent = unsafeHTML;return div.innerHTML;}
}// 2. XSS防护包装器
class XSSProtector {constructor() {this.sanitizer = new DOMPurify();}// 安全地设置HTML内容setHTML(element, content) {element.innerHTML = this.sanitizer.sanitize(content, {ALLOWED_TAGS: ['p', 'span', 'b', 'i', 'em', 'strong'],ALLOWED_ATTR: ['class', 'id']});}// 安全地渲染用户输入renderUserContent(content) {return this.sanitizer.sanitize(content, {RETURN_DOM: true,RETURN_DOM_FRAGMENT: true});}// URL参数安全检查validateURL(url) {try {const parsedURL = new URL(url);return parsedURL.protocol === 'https:' || parsedURL.protocol === 'http:';} catch {return false;}}
}

CSRF防护机制 🔐

// 1. CSRF Token管理器
class CSRFTokenManager {constructor() {this.tokenName = 'csrf-token';this.token = this.generateToken();}generateToken() {return Array.from(crypto.getRandomValues(new Uint8Array(32)),byte => byte.toString(16).padStart(2, '0')).join('');}// 为请求添加CSRF TokenaddTokenToRequest(request) {if (request instanceof Headers) {request.append(this.tokenName, this.token);} else if (request instanceof FormData) {request.append(this.tokenName, this.token);} else if (typeof request === 'object') {request[this.tokenName] = this.token;}return request;}// 验证CSRF TokenvalidateToken(token) {return token === this.token;}
}// 2. 安全请求包装器
class SecureRequestWrapper {constructor(csrfManager) {this.csrfManager = csrfManager;}async fetch(url, options = {}) {// 添加CSRF Tokenconst headers = new Headers(options.headers);this.csrfManager.addTokenToRequest(headers);// 添加安全头部headers.append('X-Content-Type-Options', 'nosniff');headers.append('X-Frame-Options', 'DENY');const response = await fetch(url, {...options,headers,credentials: 'same-origin'});return response;}
}

输入验证与清理 🧹

// 1. 输入验证器
class InputValidator {// 通用验证规则static rules = {email: /^[^\s@]+@[^\s@]+\.[^\s@]+$/,phone: /^\+?[\d\s-]{10,}$/,url: /^https?:\/\/[\w\-\.]+(:\d+)?\/?\S*$/,username: /^[\w\-]{3,16}$/,password: /^(?=.*[A-Za-z])(?=.*\d)[A-Za-z\d]{8,}$/};static validate(value, type) {if (!this.rules[type]) {throw new Error(`Unknown validation type: ${type}`);}return this.rules[type].test(value);}// SQL注入检测static checkSQLInjection(value) {const sqlPatterns = [/(\s|^)(SELECT|INSERT|UPDATE|DELETE|DROP|UNION|ALTER)(\s|$)/i,/'.*?'|\s+OR\s+'.*?'/i,/--|\#|\/\*/];return !sqlPatterns.some(pattern => pattern.test(value));}// 命令注入检测static checkCommandInjection(value) {const cmdPatterns = [/[;&|`]/,/\$\([^)]*\)/,/\${[^}]*}/];return !cmdPatterns.some(pattern => pattern.test(value));}
}// 2. 输入清理器
class InputSanitizer {// HTML特殊字符转义static escapeHTML(input) {return input.replace(/[&<>"']/g, char => ({'&': '&amp;','<': '&lt;','>': '&gt;','"': '&quot;',"'": '&#39;'})[char]);}// 移除危险字符static removeDangerousChars(input) {return input.replace(/[<>'"();]/g, '');}// 规范化输入static normalize(input) {return input.trim().normalize('NFKC').replace(/\s+/g, ' ');}
}

安全存储实践 🗄️

// 1. 安全存储管理器
class SecureStorageManager {constructor(storage = localStorage) {this.storage = storage;this.encryptionKey = this.getOrCreateKey();}// 获取或创建加密密钥getOrCreateKey() {let key = this.storage.getItem('encryption_key');if (!key) {key = crypto.getRandomValues(new Uint8Array(32));this.storage.setItem('encryption_key', key);}return key;}// 加密数据async encrypt(data) {const encoder = new TextEncoder();const dataBuffer = encoder.encode(JSON.stringify(data));const iv = crypto.getRandomValues(new Uint8Array(12));const key = await crypto.subtle.importKey('raw',this.encryptionKey,'AES-GCM',false,['encrypt']);const encryptedData = await crypto.subtle.encrypt({name: 'AES-GCM',iv},key,dataBuffer);return {data: Array.from(new Uint8Array(encryptedData)),iv: Array.from(iv)};}// 解密数据async decrypt(encryptedData) {const key = await crypto.subtle.importKey('raw',this.encryptionKey,'AES-GCM',false,['decrypt']);const decryptedData = await crypto.subtle.decrypt({name: 'AES-GCM',iv: new Uint8Array(encryptedData.iv)},key,new Uint8Array(encryptedData.data));const decoder = new TextDecoder();return JSON.parse(decoder.decode(decryptedData));}
}// 2. 敏感数据处理器
class SensitiveDataHandler {// 掩码处理static mask(value, start = 0, end) {const str = String(value);const maskLength = end ? end - start : str.length - start;const maskStr = '*'.repeat(maskLength);return str.slice(0, start) + maskStr + str.slice(start + maskLength);}// 数据脱敏static desensitize(data, rules) {const result = { ...data };for (const [key, rule] of Object.entries(rules)) {if (result[key]) {result[key] = this.mask(result[key],rule.start,rule.end);}}return result;}
}

安全通信实践 📡

// 1. 安全WebSocket
class SecureWebSocket {constructor(url, options = {}) {this.url = url;this.options = options;this.reconnectAttempts = 0;this.maxReconnectAttempts = options.maxReconnectAttempts || 5;this.init();}init() {this.ws = new WebSocket(this.url);this.setupEventHandlers();}setupEventHandlers() {this.ws.onopen = () => {this.reconnectAttempts = 0;if (this.options.onOpen) {this.options.onOpen();}};this.ws.onclose = () => {if (this.reconnectAttempts < this.maxReconnectAttempts) {setTimeout(() => {this.reconnectAttempts++;this.init();}, 1000 * Math.pow(2, this.reconnectAttempts));}};this.ws.onmessage = async (event) => {try {const data = JSON.parse(event.data);if (this.options.onMessage) {this.options.onMessage(data);}} catch (error) {console.error('Invalid message format:', error);}};}send(data) {if (this.ws.readyState === WebSocket.OPEN) {this.ws.send(JSON.stringify(data));}}close() {this.ws.close();}
}// 2. 安全HTTP客户端
class SecureHTTPClient {constructor(baseURL) {this.baseURL = baseURL;this.interceptors = [];}// 添加请求拦截器addInterceptor(interceptor) {this.interceptors.push(interceptor);}// 应用拦截器async applyInterceptors(config) {let currentConfig = { ...config };for (const interceptor of this.interceptors) {currentConfig = await interceptor(currentConfig);}return currentConfig;}// 发送请求async request(config) {const finalConfig = await this.applyInterceptors({...config,headers: {'Content-Type': 'application/json',...config.headers}});try {const response = await fetch(this.baseURL + finalConfig.url,finalConfig);if (!response.ok) {throw new Error(`HTTP error! status: ${response.status}`);}return await response.json();} catch (error) {console.error('Request failed:', error);throw error;}}
}

最佳实践建议 💡

  1. 安全检查工具
// 1. 安全检查器
class SecurityChecker {// 检查安全头部static checkSecurityHeaders(response) {const requiredHeaders = {'Content-Security-Policy': true,'X-Content-Type-Options': 'nosniff','X-Frame-Options': ['DENY', 'SAMEORIGIN'],'X-XSS-Protection': '1; mode=block','Strict-Transport-Security': true};const issues = [];for (const [header, value] of Object.entries(requiredHeaders)) {const actualValue = response.headers.get(header);if (!actualValue) {issues.push(`Missing ${header}`);} else if (value !== true) {if (Array.isArray(value)) {if (!value.includes(actualValue)) {issues.push(`Invalid ${header}: ${actualValue}`);}} else if (value !== actualValue) {issues.push(`Invalid ${header}: ${actualValue}`);}}}return issues;}// 检查安全配置static checkSecurityConfig() {const issues = [];// 检查HTTPSif (window.location.protocol !== 'https:') {issues.push('Not using HTTPS');}// 检查Cookies配置document.cookie.split(';').forEach(cookie => {if (!cookie.includes('Secure')) {issues.push('Cookie without Secure flag');}if (!cookie.includes('HttpOnly')) {issues.push('Cookie without HttpOnly flag');}if (!cookie.includes('SameSite')) {issues.push('Cookie without SameSite attribute');}});return issues;}
}// 2. 安全审计工具
class SecurityAuditor {constructor() {this.vulnerabilities = [];}// 检查DOM XSS漏洞checkDOMXSS() {const dangerousProps = ['innerHTML','outerHTML','insertAdjacentHTML','document.write'];const scripts = document.getElementsByTagName('script');for (const script of scripts) {const content = script.textContent;dangerousProps.forEach(prop => {if (content.includes(prop)) {this.vulnerabilities.push({type: 'DOM XSS',location: script.src || 'inline script',description: `Using dangerous property: ${prop}`});}});}}// 检查不安全的配置checkInsecureConfigs() {// 检查eval使用if (window.eval) {this.vulnerabilities.push({type: 'Insecure Config',description: 'eval is enabled'});}// 检查内联事件处理器document.querySelectorAll('*').forEach(element => {for (const attr of element.attributes) {if (attr.name.startsWith('on')) {this.vulnerabilities.push({type: 'Insecure Config',description: `Inline event handler: ${attr.name}`,element: element.tagName});}}});}// 生成审计报告generateReport() {return {timestamp: new Date().toISOString(),vulnerabilities: this.vulnerabilities,summary: {total: this.vulnerabilities.length,byType: this.vulnerabilities.reduce((acc, vuln) => {acc[vuln.type] = (acc[vuln.type] || 0) + 1;return acc;}, {})}};}
}

结语 📝

JavaScript安全编程是一个复杂且重要的话题,需要我们在开发过程中始终保持警惕。我们学习了:

  1. XSS防护技术
  2. CSRF防御机制
  3. 输入验证与清理
  4. 安全存储实践
  5. 安全通信策略

💡 学习建议:安全性应该在开发的每个阶段都被考虑,而不是作为事后的补充。建议经常进行安全审计,及时修复发现的漏洞。


如果你觉得这篇文章有帮助,欢迎点赞收藏,也期待在评论区看到你的想法和建议!👇

终身学习,共同成长。

咱们下一期见

💻

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

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

相关文章

OpenGL中Shader LOD失效

1&#xff09;OpenGL中Shader LOD失效 2&#xff09;DoTween的GC优化 3&#xff09;开发微信小程序游戏有没有类似Debug真机图形的方法 4&#xff09;射线和Mesh三角面碰撞检测的算法 这是第418篇UWA技术知识分享的推送&#xff0c;精选了UWA社区的热门话题&#xff0c;涵盖了U…

Zookeeper 数据迁移实战:基础环境搭建与高效迁移方案全览

文章目录 一、Zookeeper数据迁移简介二、迁移zookeeper数据基础环境三、利用快照迁移zookeeper数据1、Node1最新的zk快照文件和日志文件2、将被迁移方node2的zookeeper的集群全部stop3、将源node1集群数据和日志拷贝到指定目录下4、验证优先启动拷贝的数据、日志的zookeeper节点…

什么是数据仓库?

什么是数据仓库&#xff1f; 数据仓库&#xff08;Data Warehouse&#xff0c;简称DW&#xff09;是一种面向分析和决策的数据存储系统&#xff0c;它将企业中分散的、异构的数据按照一定的主题和模型进行集成和存储&#xff0c;为数据分析、报表生成以及商业智能&#xff08;…

ubuntu支持中文的字体

在 Ubuntu 系统中&#xff0c;支持中文的字体可以通过安装或启用适配中文字符的字体包来实现。以下是 Ubuntu 上常用的中文字体以及安装方法&#xff1a; 常见支持中文的字体 思源字体系列&#xff08;推荐&#xff09;&#xff1a; 思源黑体&#xff08;Noto Sans CJK / Sourc…

java 迪米特法则,原理、思想、工作流程、实现细节、稳定性、优缺点、应用场景等

迪米特法则&#xff08;Law of Demeter&#xff0c;LoD&#xff09;&#xff0c;也被称为“最少知识原则”&#xff0c;是一种指导面向对象设计的原则&#xff0c;旨在减少对象之间的耦合度。以下是对迪米特法则的详细解析。 1. 定义 迪米特法则指出&#xff1a;一个对象应该…

[Linux]从零开始的STM32MP157交叉编译环境配置

一、前言 最近该忙的事情也是都忙完了&#xff0c;也是可以开始好好的学习一下Linux了。之前九月份的时候就想入手一块Linux的开发板用来学习Linux底层开发。之前在NXP和STM32MP系列之间犹豫&#xff0c;思来想去还是入手了一块STM32MP157。当然不是单纯因为MP157的性能在NXP之…

小程序如何引入腾讯位置服务

小程序如何引入腾讯位置服务 1.添加服务 登录 微信公众平台 注意&#xff1a;小程序要企业版的 第三方服务 -> 服务 -> 开发者资源 -> 开通腾讯位置服务 在设置 -> 第三方设置 中可以看到开通的服务&#xff0c;如果没有就在插件管理中添加插件 2.腾讯位置服务…

添加计算机到AD域中

添加计算机到AD域中 一、确定计算机的DNS指向域中的DNS二、打开系统设置三、加域成功后 一、确定计算机的DNS指向域中的DNS 二、打开系统设置 输入域管理员的账密 三、加域成功后 这里有显示&#xff0c;就成功了。

你喜欢用什么编辑器?

电脑工作者和程序员所使用的文本编辑器通常需要具备高效率、易用性以及对代码友好等特点&#xff0c;包括语法高亮、自动完成、多文件同时编辑、查找替换、版本控制集成等功能。以下是几个广受开发者欢迎且实用性较强的文本编辑器&#xff1a; Visual Studio Code&#xff08;V…

32单片机综合应用案例——智能家居灯光控制系统(二)(内附详细代码讲解!!!)

"即使世界看似残酷&#xff0c;也要坚持自己的梦想&#xff0c;因为只有这样&#xff0c;你才能创造属于自己的奇迹。”“不要害怕失败&#xff0c;因为失败是成功的垫脚石。”“即使跌倒了一百次&#xff0c;也要勇敢地爬起来一百零一次。”“永远不要低估自己的潜力&…

从epoll事件的视角探讨TCP:三次握手、四次挥手、应用层与传输层之间的联系

目录 一、应用层与TCP之间的联系 二、 当通信双方中的一方如客户端主动断开连接时&#xff0c;仅是在客户端的视角下连接已经断开&#xff0c;在服务端的眼中&#xff0c;连接依然存在&#xff0c;为什么&#xff1f;——触发EPOLLRDHUP事件&#xff1a;对端关闭连接或停止写…

使用RSyslog将Nginx Access Log写入Kafka

个人博客地址&#xff1a;使用RSyslog将Nginx Access Log写入Kafka | 一张假钞的真实世界 环境说明 CentOS Linux release 7.3.1611kafka_2.12-0.10.2.2nginx/1.12.2rsyslog-8.24.0-34.el7.x86_64.rpm 创建测试Topic $ ./kafka-topics.sh --zookeeper 192.168.72.25:2181/k…

设计模式02:结构型设计模式之适配器模式使用情景及其基础Demo

1.适配器模式 用途&#xff1a;接口兼容评价&#xff1a;复杂、冗余、难以调试&#xff0c;个人认为直接在旧系统那里封装一个新实现调用旧实现就好了场景&#xff1a;系统A、B、C想调用同一个功能接口&#xff0c;但是实现细节存在差异时&#xff08;其实就是入参和出参转化处…

使用 Docker 部署 Java 项目(通俗易懂)

目录 1、下载与配置 Docker 1.1 docker下载&#xff08;这里使用的是Ubuntu&#xff0c;Centos命令可能有不同&#xff09; 1.2 配置 Docker 代理对象 2、打包当前 Java 项目 3、进行编写 DockerFile&#xff0c;并将对应文件传输到 Linux 中 3.1 编写 dockerfile 文件 …

大数据学习(35)- spark- action算子

&&大数据学习&& &#x1f525;系列专栏&#xff1a; &#x1f451;哲学语录: 承认自己的无知&#xff0c;乃是开启智慧的大门 &#x1f496;如果觉得博主的文章还不错的话&#xff0c;请点赞&#x1f44d;收藏⭐️留言&#x1f4dd;支持一下博主哦&#x1f91…

fisco bcosV3 Table智能合约开发

环境 &#xff1a; fisco bcos 3.11.0 webase-front : 3.1.1 console 3.8.0 table合约【3.2.0版本后的】 前言 最近在做毕设&#xff0c;数据的存储方式考虑使用fisco-bcos的table表存储&#xff0c;经过这几天的研究&#xff0c;发现对于fisco2和 fisco3版本的table表合约功能…

推荐几本UML语言的经典书籍与常用软件

推荐几本 UML(统一建模语言)的经典书籍: 《UML用户指南》 作者:Grady Booch、James Rumbaugh、Ivar Jacobson介绍:这本书由 UML 的主要设计者撰写,是学习 UML 的经典入门书籍。书中详细介绍了 UML 的基本概念、模型图以及使用场景,适合初学者和进阶用户。《UML精粹》(U…

《研发管理 APQP 软件系统》——汽车电子行业的应用收益分析

全星研发管理 APQP 软件系统在汽车电子行业的应用收益分析 在汽车电子行业&#xff0c;技术革新迅猛&#xff0c;市场竞争激烈。《全星研发管理 APQP 软件系统》的应用&#xff0c;为企业带来了革命性的变化&#xff0c;诸多收益使其成为行业发展的关键驱动力。 《全星研发管理…

22、PyTorch nn.Conv2d卷积网络使用教程

文章目录 1. 卷积2. python 代码3. notes 1. 卷积 输入A张量为&#xff1a; A [ 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 ] \begin{equation} A\begin{bmatrix} 0&1&2&3\\\\ 4&5&6&7\\\\ 8&9&10&11\\\\ 12&13&14&15 \end{b…

ASP.NET Core - 依赖注入(四)

ASP.NET Core - 依赖注入&#xff08;四&#xff09; 4. ASP.NET Core默认服务5. 依赖注入配置变形 4. ASP.NET Core默认服务 之前讲了中间件&#xff0c;实际上一个中间件要正常进行工作&#xff0c;通常需要许多的服务配合进行&#xff0c;而中间件中的服务自然也是通过 Ioc…