在Debian上自定义JavaScript(JS)日志格式,通常涉及配置应用程序或服务器以使用特定的日志格式。以下是一些常见的方法和步骤:
如果你使用的是Node.js应用程序,可以通过配置日志库来更改日志格式。常用的日志库包括winston和morgan。
winstonconst winston = require('winston');
const logger = winston.createLogger({
  level: 'info',
  format: winston.format.combine(
    winston.format.timestamp({
      format: 'YYYY-MM-DD HH:mm:ss'
    }),
    winston.format.printf(({ timestamp, level, message }) => {
      return `${timestamp} ${level}: ${message}`;
    })
  ),
  transports: [
    new winston.transports.Console(),
    new winston.transports.File({ filename: 'error.log', level: 'error' }),
    new winston.transports.File({ filename: 'combined.log' })
  ]
});
logger.info('Hello, world!');
morganconst express = require('express');
const morgan = require('morgan');
const app = express();
app.use(morgan('combined')); // 默认格式
// 自定义格式
app.use(morgan(':method :url :status :res[content-length] - :response-time ms'));
app.get('/', (req, res) => {
  res.send('Hello, world!');
});
app.listen(3000, () => {
  console.log('Server is running on port 3000');
});
如果你通过Nginx代理你的Node.js应用程序,可以在Nginx配置文件中设置日志格式。
http {
  log_format custom '$remote_addr - $remote_user [$time_local] "$request" '
                    '$status $body_bytes_sent "$http_referer" '
                    '"$http_user_agent" "$http_x_forwarded_for"';
  access_log /var/log/nginx/access.log custom;
  error_log /var/log/nginx/error.log;
  server {
    listen 80;
    server_name example.com;
    location / {
      proxy_pass http://localhost:3000;
      proxy_set_header Host $host;
      proxy_set_header X-Real-IP $remote_addr;
      proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
      proxy_set_header X-Forwarded-Proto $scheme;
    }
  }
}
如果你通过Apache代理你的Node.js应用程序,可以在Apache配置文件中设置日志格式。
<VirtualHost *:80>
  ServerName example.com
  ProxyPass / http://localhost:3000/
  ProxyPassReverse / http://localhost:3000/
  LogFormat "%h %l %u %t \"%r\" %>s %b \"%{Referer}i\" \"%{User-Agent}i\"" combined
  CustomLog /var/log/apache2/access.log combined
  ErrorLog /var/log/apache2/error.log
</VirtualHost>
如果你使用Docker运行你的应用程序,可以在Dockerfile或docker-compose.yml文件中配置日志驱动和选项。
FROM node:14
WORKDIR /usr/src/app
COPY package*.json ./
RUN npm install
COPY . .
CMD ["node", "app.js"]
version: '3'
services:
  app:
    build: .
    ports:
      - "3000:3000"
    logging:
      driver: "json-file"
      options:
        max-size: "10m"
        max-file: "3"
通过这些方法,你可以在Debian上自定义JavaScript应用程序的日志格式。选择适合你应用程序和部署环境的方法进行配置。