本文整理汇总了TypeScript中winston.format.json方法的典型用法代码示例。如果您正苦于以下问题:TypeScript format.json方法的具体用法?TypeScript format.json怎么用?TypeScript format.json使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类winston.format
的用法示例。
在下文中一共展示了format.json方法的9个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的TypeScript代码示例。
示例1: createLogger
public static createLogger(
gatsbyEnv: GatsbyEnv = GatsbyEnv.Development,
): Logger {
const logger = winston.createLogger({
format: winston.format.json(),
level: 'info',
transports: [
// ==================================================================
// - Write to all logs with level `info` and below to `combined.log`
// - Write all logs error (and below) to `error.log`.
// =================================================================
new winston.transports.File({ filename: 'error.log', level: 'error' }),
new winston.transports.File({ filename: 'combined.log' }),
],
})
// =====================================================================
// If we're not in production then log to the `console` with the format:
// `${info.level}: ${info.message} JSON.stringify({ ...rest }) `
// =====================================================================
if (gatsbyEnv !== GatsbyEnv.Production) {
logger.add(
new winston.transports.Console({
format: winston.format.simple(),
}),
)
}
return logger
}
示例2: getConfig
export function getConfig() {
const configPath = process.env.CONFIG_PATH || process.argv[2] || './config.json'
let config: Config
try {
config = { ...configDefaults, ...JSON.parse(fs.readFileSync(configPath).toString()) }
} catch (e) {
console.error(`Failed to read config: ${e}`)
config = { ...configDefaults }
}
if (process.env['GAIA_DISK_STORAGE_ROOT_DIR']) {
config.diskSettings.storageRootDirectory = process.env['GAIA_DISK_STORAGE_ROOT_DIR']
}
const formats = [
config.argsTransport.colorize ? winston.format.colorize() : null,
config.argsTransport.timestamp ?
winston.format.timestamp({ format: 'YYYY-MM-DD HH:mm:ss' }) : null,
config.argsTransport.json ? winston.format.json() : winston.format.simple()
].filter(f => f !== null)
const format = formats.length ? winston.format.combine(...formats) : null
logger.configure({
format: format,
transports: [new winston.transports.Console(config.argsTransport)]
})
return config
}
示例3: getConfig
export function getConfig() {
const configPath = process.env.CONFIG_PATH || process.argv[2] || './config.json'
let config: Config
try {
config = Object.assign(
{}, configDefaults, JSON.parse(fs.readFileSync(configPath).toString()))
} catch (e) {
console.error(`Error reading config "${configPath}": ${e}`)
config = Object.assign({}, configDefaults)
}
const formats = [
config.argsTransport.colorize ? winston.format.colorize() : null,
config.argsTransport.timestamp ?
winston.format.timestamp({ format: 'YYYY-MM-DD HH:mm:ss' }) : null,
config.argsTransport.json ? winston.format.json() : winston.format.simple()
].filter(f => f !== null)
const format = formats.length ? winston.format.combine(...formats) : null
logger.configure({
format: format,
transports: [new winston.transports.Console(config.argsTransport)]
})
return config
}
示例4: constructor
constructor() {
const alignedWithColorsAndTime = winston.format.combine(
winston.format.colorize(),
winston.format.timestamp(),
//winston.format.align(),
winston.format.printf(info => `${info.timestamp} ${info.level}: ${info.message}`),
);
this.textLogger = winston.createLogger({
format: alignedWithColorsAndTime,
transports: [],
level: config.vpdb.logging.level,
});
if (config.vpdb.logging.console.enabled) {
this.textLogger.add(new winston.transports.Console());
}
/* istanbul ignore next */
if (config.vpdb.logging.file.text) {
const logPath = resolve(config.vpdb.logging.file.text);
const transport = new DailyRotateFile({
filename: basename(logPath),
dirname: dirname(logPath),
zippedArchive: true,
datePattern: 'YYYY-MM',
});
transport.on('rotate', (oldFilename, newFilename) => {
this.info(null, '[app] Rotating text logs from %s to %s.', oldFilename, newFilename);
});
transport.on('new', newFilename => {
this.info(null, '[app] Creating new text log at %s.', newFilename);
});
this.textLogger.add(transport);
this.info(null, '[app] Text logger enabled at %s.', logPath);
}
/* istanbul ignore next */
if (config.vpdb.logging.file.json) {
const logPath = resolve(config.vpdb.logging.file.json);
const transport = new DailyRotateFile({
filename: basename(logPath),
dirname: dirname(logPath),
zippedArchive: true,
datePattern: 'YYYY-MM',
});
transport.on('rotate', (oldFilename, newFilename) => {
this.info(null, '[app] Rotating JSON logs from %s to %s.', oldFilename, newFilename);
});
transport.on('new', newFilename => {
this.info(null, '[app] Creating new JSON log at %s.', newFilename);
});
this.jsonLogger = winston.createLogger({
format: winston.format.json(),
transports: [transport],
level: config.vpdb.logging.level,
});
this.info(null, '[app] JSON logger enabled at %s.', logPath);
}
}
示例5: function
/**
* Configure logger
* @param {string} logfile Path to logfile
* @param {object} config Configuration for transports
* @return {winston.Logger}
*/
export default function(app: Application, options: ILoggingOptions) {
const cwd = process.cwd();
const logFile = path.resolve(cwd, `${options.dir}/${options.file}`);
const addRequestId = require("express-request-id")({ setHeader: false });
app.use(addRequestId);
morgan.token("id", (req: IRequestWithId) => req.id.split("-")[0]);
app.use(morgan("[:date[iso] #:id] Started :method :url for :remote-addr", {immediate: true}));
app.use(morgan("[: date[iso] #: id] Completed : status : res[content - length] in : response - time ms"));
// If logs directory does not exist, create one
if (!fs.existsSync(path.resolve(cwd, options.dir))) {
mkdirp.sync(path.resolve(cwd, options.dir));
}
// If log file does not exist, create one with empty content.
if (!fs.existsSync(logFile)) {
fs.writeFileSync(logFile, "");
}
const logger = winston.createLogger({
exitOnError: false,
format: winston.format.json(),
level: "info",
transports: [
new winston.transports.File({
filename: logFile,
handleExceptions: true,
level: "info",
maxFiles: 5,
maxsize: 5242880, // 5MB
}),
new winston.transports.Console({
handleExceptions: true,
level: "debug",
}),
],
});
return logger;
}
示例6:
import * as winston from 'winston';
/**
* A default logger for the app
*/
export const logger = winston.createLogger({
format: winston.format.json(),
level: 'info',
transports: [
new winston.transports.File({ filename: 'error.log', level: 'error' }),
new winston.transports.Console({
format: winston.format.simple(),
}),
],
});
示例7: createLogger
import { StreamOptions } from 'morgan';
import { createLogger, transports, format } from 'winston';
export namespace Log {
export let log: WLogger = createLogger({
transports: [
new transports.File({
level: 'error',
filename: './log/errors.log',
handleExceptions: true,
maxsize: (1 * 1024 * 1024), // 1MB
maxFiles: 5,
format: format.combine(
format.splat(),
format.timestamp(),
format.json()
)
}),
new transports.File({
level: 'info',
filename: './log/all-logs.log',
handleExceptions: false,
maxsize: (1 * 1024 * 1024), // 1MB
maxFiles: 5,
format: format.combine(
format.splat(),
format.timestamp(),
format.json()
)
}),
new transports.Console({
示例8: createLogger
export const Logger = (options: LoggerOptions) => {
options = _.defaultsDeep(options || {}, {
fluentD: {},
logDirectory: null,
format: {
timestamp: true,
json: false,
colorize: false
},
cwd: process.cwd()
});
// Defining custom formats
const styleFormats = [];
// special case: if json is not defined , use by default the custom format
if (options.format.json === false) {
// going to global
styleFormats.push( loggerFormat);
}
else{
styleFormats.push(format.json());
}
// TODO: enable dynamic formats and parameters , for now it is only using basic types with no parameters
_.forEach(['colorize', 'timestamp'], (value) => {
if (_.get(options.format, `${value}`) === true) {
styleFormats.push(format[`${value}`]());
}
});
const _logger = createLogger({
format: format.combine(...styleFormats)
});
// Adding a new Console transport
_logger.add(new transports.Console());
if (options.logDirectory) {
// Create the log directory if it doesn't exist
mkdirSync(options.logDirectory);
_logger.add(new transports.File({
filename: path.resolve(options.logDirectory, 'app.log'),
maxFiles: 5,
maxsize: 10485760,
level: 'info'
}));
}
// Adding fluentD transport
if (!_.isEmpty(options.fluentD)) {
let name: string = getPackageName(getPackageManifest(options.cwd));
options = _.defaultsDeep(options, {
fluentD: {
host: 'localhost',
port: 24224,
timeout: 3.0,
tag: name || 'labshare'
}
});
_logger.add(new FluentTransport(options.fluentD.tag, options.fluentD));
}
// Workaround to support the Morgan request logging middleware
return _.assign(_logger, {
stream: () => {
let self: any = this;
return {
write(options?: any): void {
self.info(options);
}
}
}
});;
}
示例9: createLogger
const { combine, timestamp, label, printf, colorize } = format;
const logger = createLogger({
format:
process.env.NODE_ENV === 'development'
? combine(
colorize({ all: true }),
label({ label: 'Wetty' }),
timestamp(),
printf(
info =>
`${info.timestamp} [${info.label}] ${info.level}: ${info.message}`
)
)
: format.json(),
transports: [
new transports.Console({
level: process.env.NODE_ENV === 'development' ? 'debug' : 'info',
handleExceptions: true,
}),
],
});
logger.stream = {
write(message: string): void {
logger.info(message);
},
};
export default logger;