mirror of
https://github.com/nodejs/node.git
synced 2024-11-21 10:59:27 +00:00
fe514bf960
PR-URL: https://github.com/nodejs/node/pull/46629 Reviewed-By: Jacob Smith <jacob@frende.me> Reviewed-By: Geoffrey Booth <webadmin@geoffreybooth.com> Reviewed-By: Chengzhong Wu <legendecas@gmail.com> Reviewed-By: Mohammed Keyvanzadeh <mohammadkeyvanzade94@gmail.com>
98 lines
2.2 KiB
JavaScript
98 lines
2.2 KiB
JavaScript
'use strict';
|
|
|
|
const {
|
|
ArrayPrototypeJoin,
|
|
SafeSet,
|
|
Symbol,
|
|
} = primordials;
|
|
|
|
const { hasTracing } = internalBinding('config');
|
|
const kHandle = Symbol('handle');
|
|
const kEnabled = Symbol('enabled');
|
|
const kCategories = Symbol('categories');
|
|
|
|
const kMaxTracingCount = 10;
|
|
|
|
const {
|
|
ERR_TRACE_EVENTS_CATEGORY_REQUIRED,
|
|
ERR_TRACE_EVENTS_UNAVAILABLE,
|
|
} = require('internal/errors').codes;
|
|
|
|
const { ownsProcessState } = require('internal/worker');
|
|
if (!hasTracing || !ownsProcessState)
|
|
throw new ERR_TRACE_EVENTS_UNAVAILABLE();
|
|
|
|
const { CategorySet, getEnabledCategories } = internalBinding('trace_events');
|
|
const { customInspectSymbol } = require('internal/util');
|
|
const { format } = require('internal/util/inspect');
|
|
const {
|
|
validateObject,
|
|
validateStringArray,
|
|
} = require('internal/validators');
|
|
|
|
const enabledTracingObjects = new SafeSet();
|
|
|
|
class Tracing {
|
|
constructor(categories) {
|
|
this[kHandle] = new CategorySet(categories);
|
|
this[kCategories] = categories;
|
|
this[kEnabled] = false;
|
|
}
|
|
|
|
enable() {
|
|
if (!this[kEnabled]) {
|
|
this[kEnabled] = true;
|
|
this[kHandle].enable();
|
|
enabledTracingObjects.add(this);
|
|
if (enabledTracingObjects.size > kMaxTracingCount) {
|
|
process.emitWarning(
|
|
'Possible trace_events memory leak detected. There are more than ' +
|
|
`${kMaxTracingCount} enabled Tracing objects.`,
|
|
);
|
|
}
|
|
}
|
|
}
|
|
|
|
disable() {
|
|
if (this[kEnabled]) {
|
|
this[kEnabled] = false;
|
|
this[kHandle].disable();
|
|
enabledTracingObjects.delete(this);
|
|
}
|
|
}
|
|
|
|
get enabled() {
|
|
return this[kEnabled];
|
|
}
|
|
|
|
get categories() {
|
|
return ArrayPrototypeJoin(this[kCategories], ',');
|
|
}
|
|
|
|
[customInspectSymbol](depth, opts) {
|
|
if (typeof depth === 'number' && depth < 0)
|
|
return this;
|
|
|
|
const obj = {
|
|
enabled: this.enabled,
|
|
categories: this.categories
|
|
};
|
|
return `Tracing ${format(obj)}`;
|
|
}
|
|
}
|
|
|
|
function createTracing(options) {
|
|
validateObject(options, 'options');
|
|
validateStringArray(options.categories, 'options.categories');
|
|
|
|
if (options.categories.length <= 0)
|
|
throw new ERR_TRACE_EVENTS_CATEGORY_REQUIRED();
|
|
|
|
return new Tracing(options.categories);
|
|
}
|
|
|
|
module.exports = {
|
|
createTracing,
|
|
getEnabledCategories
|
|
};
|