Node.js 是构建可扩展高性能应用的强大运行时环境。但随着应用规模增长,性能瓶颈会逐渐显现。本文将分享实用的 Node.js 性能优化技巧,涵盖代码优化、架构调整和监控等方面。
1. 使用异步代码 🚀
核心原理
Node.js 是单线程的,严重依赖非阻塞 I/O 操作。同步代码会阻塞事件循环,严重影响性能。
TypeScript
// ❌ 错误:同步读取文件(阻塞事件循环)
const data = fs.readFileSync('file.txt');
console.log(data);
// ✅ 正确:异步读取文件(非阻塞)
fs.readFile('file.txt', (err, data) => {
if (err) throw err;
console.log(data);
});
// ✅ 更好的方式:使用 Promise/async-await
const readFileAsync = util.promisify(fs.readFile);
async function processFile() {
try {
const data = await readFileAsync('file.txt');
console.log(data);
} catch (error) {
console.error('Error reading file:', error);
}
}
应用场景
-
文件读写操作
-
数据库查询
-
HTTP 请求处理
-
任何可能耗时的 I/O 操作
2. 优化数据库查询 📊
优化策略
-
索引优化:为常用查询字段添加索引
-
查询缓存:使用 Redis 缓存频繁访问的数据
-
连接池:复用数据库连接,避免频繁建立连接
TypeScript
// 使用 Redis 缓存查询结果
const redis = require('redis');
const client = redis.createClient();
async function getCachedUser(userId) {
const cacheKey = `user:${userId}`;
// 尝试从缓存获取
const cachedUser = await client.get(cacheKey);
if (cachedUser) {
return JSON.parse(cachedUser);
}
// 缓存未命中,查询数据库
const user = await User.findById(userId);
// 将结果缓存1小时
await client.setex(cacheKey, 3600, JSON.stringify(user));
return user;
}
// 使用 Sequelize 优化查询
const users = await User.findAll({
attributes: ['id', 'name', 'email'], // 只选择需要的字段
where: { status: 'active' },
limit: 100,
order: [['createdAt', 'DESC']]
});
应用场景
-
高频读取的数据
-
复杂查询结果
-
用户会话信息
-
配置数据
3. 启用 Gzip 压缩 📦
TypeScript
const compression = require('compression');
const express = require('express');
const app = express();
// 启用 Gzip 压缩
app.use(compression({
level: 6, // 压缩级别 (1-9)
threshold: 1024, // 只压缩大于 1KB 的响应
filter: (req, res) => {
if (req.headers['x-no-compression']) {
return false;
}
return compression.filter(req, res);
}
}));
// 静态文件服务(配合压缩)
app.use(express.static('public', {
maxAge: '1d', // 缓存1天
setHeaders: (res, path) => {
if (path.endsWith('.html')) {
res.setHeader('Cache-Control', 'no-cache');
}
}
}));
性能提升
-
减少 60-80% 的响应体积
-
显著提升页面加载速度
-
降低带宽成本
4. 使用集群模式充分利用多核 CPU 🔄
集群配置示例
TypeScript
const cluster = require('cluster');
const os = require('os');
const app = require('./app');
if (cluster.isPrimary) {
const numCPUs = os.cpus().length;
console.log(`主进程 ${process.pid} 正在运行`);
console.log(`启动 ${numCPUs} 个工作进程`);
// 衍生工作进程
for (let i = 0; i < numCPUs; i++) {
cluster.fork();
}
// 进程异常退出时重启
cluster.on('exit', (worker, code, signal) => {
console.log(`工作进程 ${worker.process.pid} 已退出`);
cluster.fork(); // 立即重启
});
} else {
// 工作进程共享同一个端口
const PORT = process.env.PORT || 3000;
app.listen(PORT, () => {
console.log(`工作进程 ${process.pid} 监听端口 ${PORT}`);
});
}
更简单的方案:使用 PM2
TypeScript
# 使用 PM2 自动实现集群
npm install -g pm2
# 启动集群(使用所有 CPU 核心)
pm2 start app.js -i max
# 监控应用状态
pm2 monit
# 零停机重载
pm2 reload all
5. 实施缓存策略 🗃️
多级缓存示例
TypeScript
const NodeCache = require('node-cache');
const redis = require('redis');
class MultiLevelCache {
constructor() {
// 内存缓存(快速但易失)
this.memoryCache = new NodeCache({
stdTTL: 300, // 5分钟
checkperiod: 60
});
// Redis 缓存(持久)
this.redisClient = redis.createClient();
}
async get(key) {
// 首先尝试内存缓存
let value = this.memoryCache.get(key);
if (value) {
console.log('内存缓存命中:', key);
return value;
}
// 然后尝试 Redis 缓存
value = await this.redisClient.get(key);
if (value) {
console.log('Redis 缓存命中:', key);
// 回填到内存缓存
this.memoryCache.set(key, value);
return JSON.parse(value);
}
return null;
}
async set(key, value, ttl = 3600) {
const stringValue = JSON.stringify(value);
// 设置内存缓存
this.memoryCache.set(key, value);
// 设置 Redis 缓存
await this.redisClient.setex(key, ttl, stringValue);
}
}
// 使用示例
const cache = new MultiLevelCache();
app.get('/api/products', async (req, res) => {
const cacheKey = 'products:all';
try {
// 尝试从缓存获取
let products = await cache.get(cacheKey);
if (!products) {
// 缓存未命中,查询数据库
products = await Product.find().limit(100);
// 缓存结果(1小时)
await cache.set(cacheKey, products, 3600);
console.log('数据库查询并缓存');
}
res.json(products);
} catch (error) {
res.status(500).json({ error: 'Internal Server Error' });
}
});
6. 依赖包优化 📦
依赖分析工具
TypeScript
# 分析包大小
npx webpack-bundle-analyzer
# 检查未使用的依赖
npx depcheck
# 安全审计
npm audit
npm audit fix
# 检查过时的包
npm outdated
轻量级替代方案
重型库 | 轻量替代 | 节省大小 |
---|---|---|
moment.js |
date-fns 或 day.js |
200KB+ |
lodash |
按需导入或原生方法 | 100KB+ |
request |
node-fetch 或 axios |
500KB+ |
express (部分场景) |
fastify 或 koa |
性能提升 2-3x |
按需导入示例
TypeScript
// ❌ 全部导入
const _ = require('lodash');
const result = _.chunk([1, 2, 3, 4], 2);
// ✅ 按需导入(Tree-shaking 友好)
const chunk = require('lodash/chunk');
const result = chunk([1, 2, 3, 4], 2);
// ✅ 更好的方式:使用 ES6 模块
import { chunk } from 'lodash-es';
7. 性能监控和分析 🔍
内置监控工具
TypeScript
// 监控内存使用
setInterval(() => {
const usage = process.memoryUsage();
console.log({
rss: `${Math.round(usage.rss / 1024 / 1024)} MB`,
heapTotal: `${Math.round(usage.heapTotal / 1024 / 1024)} MB`,
heapUsed: `${Math.round(usage.heapUsed / 1024 / 1024)} MB`,
external: `${Math.round(usage.external / 1024 / 1024)} MB`
});
}, 30000);
// 使用 Node.js 内置分析器
// 启动命令:node --prof app.js
// 分析结果:node --prof-process isolate-0xnnnnnnn-v8.log > processed.txt
APM 工具集成
TypeScript
// New Relic 配置
require('newrelic');
// 自定义性能监控
const performanceMonitor = (req, res, next) => {
const start = process.hrtime();
res.on('finish', () => {
const duration = process.hrtime(start);
const milliseconds = (duration[0] * 1000 + duration[1] / 1e6).toFixed(2);
console.log(`${req.method} ${req.url} - ${res.statusCode} - ${milliseconds}ms`);
// 记录慢请求
if (milliseconds > 1000) {
console.warn(`慢请求警告: ${req.url} 耗时 ${milliseconds}ms`);
}
});
next();
};
app.use(performanceMonitor);
8. 环境特定优化 🛠️
生产环境配置
TypeScript
// config/production.js
module.exports = {
// 性能优化配置
compression: {
enabled: true,
level: 6
},
// 缓存配置
cache: {
redis: {
host: process.env.REDIS_HOST,
port: process.env.REDIS_PORT
}
},
// 数据库连接池
database: {
pool: {
max: 20,
min: 5,
acquire: 30000,
idle: 10000
}
},
// 集群配置
cluster: {
workers: process.env.WEB_CONCURRENCY || require('os').cpus().length
}
};
Docker 优化
TypeScript
# 使用轻量级基础镜像
FROM node:18-alpine
# 设置工作目录
WORKDIR /app
# 单独复制 package.json 以利用 Docker 缓存
COPY package*.json ./
# 生产环境安装依赖(不安装开发依赖)
RUN npm ci --only=production && npm cache clean --force
# 复制应用代码
COPY . .
# 优化 Node.js 运行参数
ENV NODE_ENV=production
ENV NODE_OPTIONS="--max-old-space-size=4096 --optimize-for-size"
# 使用非 root 用户运行
USER node
EXPOSE 3000
CMD ["node", "server.js"]
性能优化检查清单 ✅
代码层面
-
使用异步非阻塞代码
-
避免内存泄漏(及时清除事件监听器)
-
使用流处理大文件
-
优化循环和算法复杂度
架构层面
-
启用 Gzip 压缩
-
配置反向代理(Nginx)
-
使用 CDN 分发静态资源
-
实施缓存策略(内存 + Redis)
运维层面
-
使用进程管理器(PM2)
-
设置监控和告警
-
定期更新 Node.js 版本
-
性能测试和基准测试
总结
Node.js 性能优化是一个持续的过程,需要从代码、架构和运维多个层面综合考虑。通过实施上述技巧,你可以显著提升应用的响应速度、吞吐量和稳定性。
记住黄金法则:先量化,再优化! 使用性能分析工具识别真正的瓶颈,然后有针对性地进行优化。