Skip to content

Commit a9c4fe5

Browse files
addaleaxMylesBorins
authored andcommitted
report: add support for Workers
Include a report for each sub-Worker of the current Node.js instance. This adds a feature that is necessary for eventually making the report feature stable, as was discussed during the last collaborator summit. Refs: openjs-foundation/summit#240 PR-URL: nodejs#31386 Reviewed-By: Gireesh Punathil <[email protected]> Reviewed-By: James M Snell <[email protected]> Reviewed-By: Colin Ihrig <[email protected]> Reviewed-By: Rich Trott <[email protected]>
1 parent 4e1a192 commit a9c4fe5

File tree

8 files changed

+161
-4
lines changed

8 files changed

+161
-4
lines changed

doc/api/report.md

+21
Original file line numberDiff line numberDiff line change
@@ -297,6 +297,7 @@ is provided below for reference.
297297
"address": "0x000055fc7b2cb180"
298298
}
299299
],
300+
"workers": [],
300301
"environmentVariables": {
301302
"REMOTEHOST": "REMOVED",
302303
"MANPATH": "/opt/rh/devtoolset-3/root/usr/share/man:",
@@ -578,4 +579,24 @@ NODE_OPTIONS="--experimental-report --report-uncaught-exception \
578579
Specific API documentation can be found under
579580
[`process API documentation`][] section.
580581

582+
## Interaction with Workers
583+
<!-- YAML
584+
changes:
585+
- version: REPLACEME
586+
pr-url: https://github.com/nodejs/node/pull/31386
587+
description: Workers are now included in the report.
588+
-->
589+
590+
[`Worker`][] threads can create reports in the same way that the main thread
591+
does.
592+
593+
Reports will include information on any Workers that are children of the current
594+
thread as part of the `workers` section, with each Worker generating a report
595+
in the standard report format.
596+
597+
The thread which is generating the report will wait for the reports from Worker
598+
threads to finish. However, the latency for this will usually be low, as both
599+
running JavaScript and the event loop are interrupted to generate the report.
600+
581601
[`process API documentation`]: process.html
602+
[`Worker`]: worker_threads.html

src/env-inl.h

+5
Original file line numberDiff line numberDiff line change
@@ -893,6 +893,11 @@ inline void Environment::remove_sub_worker_context(worker::Worker* context) {
893893
sub_worker_contexts_.erase(context);
894894
}
895895

896+
template <typename Fn>
897+
inline void Environment::ForEachWorker(Fn&& iterator) {
898+
for (worker::Worker* w : sub_worker_contexts_) iterator(w);
899+
}
900+
896901
inline void Environment::add_refs(int64_t diff) {
897902
task_queues_async_refs_ += diff;
898903
CHECK_GE(task_queues_async_refs_, 0);

src/env.h

+2
Original file line numberDiff line numberDiff line change
@@ -1057,6 +1057,8 @@ class Environment : public MemoryRetainer {
10571057
inline void add_sub_worker_context(worker::Worker* context);
10581058
inline void remove_sub_worker_context(worker::Worker* context);
10591059
void stop_sub_worker_contexts();
1060+
template <typename Fn>
1061+
inline void ForEachWorker(Fn&& iterator);
10601062
inline bool is_stopping() const;
10611063
inline void set_stopping(bool value);
10621064
inline std::list<node_module>* extra_linked_bindings();

src/node_report.cc

+42-1
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,8 @@
44
#include "diagnosticfilename-inl.h"
55
#include "node_internals.h"
66
#include "node_metadata.h"
7+
#include "node_mutex.h"
8+
#include "node_worker.h"
79
#include "util.h"
810

911
#ifdef _WIN32
@@ -19,18 +21,20 @@
1921
#include <cwctype>
2022
#include <fstream>
2123

22-
constexpr int NODE_REPORT_VERSION = 1;
24+
constexpr int NODE_REPORT_VERSION = 2;
2325
constexpr int NANOS_PER_SEC = 1000 * 1000 * 1000;
2426
constexpr double SEC_PER_MICROS = 1e-6;
2527

2628
namespace report {
2729
using node::arraysize;
30+
using node::ConditionVariable;
2831
using node::DiagnosticFilename;
2932
using node::Environment;
3033
using node::Mutex;
3134
using node::NativeSymbolDebuggingContext;
3235
using node::PerIsolateOptions;
3336
using node::TIME_TYPE;
37+
using node::worker::Worker;
3438
using v8::HeapSpaceStatistics;
3539
using v8::HeapStatistics;
3640
using v8::Isolate;
@@ -210,6 +214,10 @@ static void WriteNodeReport(Isolate* isolate,
210214

211215
// Report native process ID
212216
writer.json_keyvalue("processId", pid);
217+
if (env != nullptr)
218+
writer.json_keyvalue("threadId", env->thread_id());
219+
else
220+
writer.json_keyvalue("threadId", JSONWriter::Null{});
213221

214222
{
215223
// Report the process cwd.
@@ -259,6 +267,39 @@ static void WriteNodeReport(Isolate* isolate,
259267

260268
writer.json_arrayend();
261269

270+
writer.json_arraystart("workers");
271+
if (env != nullptr) {
272+
Mutex workers_mutex;
273+
ConditionVariable notify;
274+
std::vector<std::string> worker_infos;
275+
size_t expected_results = 0;
276+
277+
env->ForEachWorker([&](Worker* w) {
278+
expected_results += w->RequestInterrupt([&](Environment* env) {
279+
std::ostringstream os;
280+
281+
GetNodeReport(env->isolate(),
282+
env,
283+
"Worker thread subreport",
284+
trigger,
285+
Local<String>(),
286+
os);
287+
288+
Mutex::ScopedLock lock(workers_mutex);
289+
worker_infos.emplace_back(os.str());
290+
notify.Signal(lock);
291+
});
292+
});
293+
294+
Mutex::ScopedLock lock(workers_mutex);
295+
worker_infos.reserve(expected_results);
296+
while (worker_infos.size() < expected_results)
297+
notify.Wait(lock);
298+
for (const std::string& worker_info : worker_infos)
299+
writer.json_element(JSONWriter::ForeignJSON { worker_info });
300+
}
301+
writer.json_arrayend();
302+
262303
// Report operating system information
263304
PrintSystemInformation(&writer);
264305

src/node_report.h

+9
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,7 @@ void GetNodeReport(v8::Isolate* isolate,
4444
// Function declarations - utility functions in src/node_report_utils.cc
4545
void WalkHandle(uv_handle_t* h, void* arg);
4646
std::string EscapeJsonChars(const std::string& str);
47+
std::string Reindent(const std::string& str, int indentation);
4748

4849
template <typename T>
4950
std::string ValueToHexString(T value) {
@@ -146,6 +147,10 @@ class JSONWriter {
146147

147148
struct Null {}; // Usable as a JSON value.
148149

150+
struct ForeignJSON {
151+
std::string as_string;
152+
};
153+
149154
private:
150155
template <typename T,
151156
typename test_for_number = typename std::
@@ -161,6 +166,10 @@ class JSONWriter {
161166
inline void write_value(const char* str) { write_string(str); }
162167
inline void write_value(const std::string& str) { write_string(str); }
163168

169+
inline void write_value(const ForeignJSON& json) {
170+
out_ << Reindent(json.as_string, indent_);
171+
}
172+
164173
inline void write_string(const std::string& str) {
165174
out_ << '"' << EscapeJsonChars(str) << '"';
166175
}

src/node_report_utils.cc

+24
Original file line numberDiff line numberDiff line change
@@ -263,4 +263,28 @@ std::string EscapeJsonChars(const std::string& str) {
263263
return ret;
264264
}
265265

266+
std::string Reindent(const std::string& str, int indent_depth) {
267+
std::string indent;
268+
for (int i = 0; i < indent_depth; i++) indent += ' ';
269+
270+
std::string out;
271+
std::string::size_type pos = 0;
272+
do {
273+
std::string::size_type prev_pos = pos;
274+
pos = str.find('\n', pos);
275+
276+
out.append(indent);
277+
278+
if (pos == std::string::npos) {
279+
out.append(str, prev_pos, std::string::npos);
280+
break;
281+
} else {
282+
pos++;
283+
out.append(str, prev_pos, pos - prev_pos);
284+
}
285+
} while (true);
286+
287+
return out;
288+
}
289+
266290
} // namespace report

test/common/report.js

+8-3
Original file line numberDiff line numberDiff line change
@@ -53,7 +53,7 @@ function _validateContent(report) {
5353
// Verify that all sections are present as own properties of the report.
5454
const sections = ['header', 'javascriptStack', 'nativeStack',
5555
'javascriptHeap', 'libuv', 'environmentVariables',
56-
'sharedObjects', 'resourceUsage'];
56+
'sharedObjects', 'resourceUsage', 'workers'];
5757
if (!isWindows)
5858
sections.push('userLimits');
5959

@@ -74,16 +74,17 @@ function _validateContent(report) {
7474
'componentVersions', 'release', 'osName', 'osRelease',
7575
'osVersion', 'osMachine', 'cpus', 'host',
7676
'glibcVersionRuntime', 'glibcVersionCompiler', 'cwd',
77-
'reportVersion', 'networkInterfaces'];
77+
'reportVersion', 'networkInterfaces', 'threadId'];
7878
checkForUnknownFields(header, headerFields);
79-
assert.strictEqual(header.reportVersion, 1); // Increment as needed.
79+
assert.strictEqual(header.reportVersion, 2); // Increment as needed.
8080
assert.strictEqual(typeof header.event, 'string');
8181
assert.strictEqual(typeof header.trigger, 'string');
8282
assert(typeof header.filename === 'string' || header.filename === null);
8383
assert.notStrictEqual(new Date(header.dumpEventTime).toString(),
8484
'Invalid Date');
8585
assert(String(+header.dumpEventTimeStamp), header.dumpEventTimeStamp);
8686
assert(Number.isSafeInteger(header.processId));
87+
assert(Number.isSafeInteger(header.threadId) || header.threadId === null);
8788
assert.strictEqual(typeof header.cwd, 'string');
8889
assert(Array.isArray(header.commandLine));
8990
header.commandLine.forEach((arg) => {
@@ -253,6 +254,10 @@ function _validateContent(report) {
253254
report.sharedObjects.forEach((sharedObject) => {
254255
assert.strictEqual(typeof sharedObject, 'string');
255256
});
257+
258+
// Verify the format of the workers section.
259+
assert(Array.isArray(report.workers));
260+
report.workers.forEach(_validateContent);
256261
}
257262

258263
function checkForUnknownFields(actual, expected) {

test/report/test-report-worker.js

+50
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,50 @@
1+
// Flags: --experimental-report
2+
'use strict';
3+
const common = require('../common');
4+
common.skipIfReportDisabled();
5+
const assert = require('assert');
6+
const { Worker } = require('worker_threads');
7+
const { once } = require('events');
8+
const helper = require('../common/report');
9+
10+
async function basic() {
11+
// Test that the report includes basic information about Worker threads.
12+
13+
const w = new Worker(`
14+
const { parentPort } = require('worker_threads');
15+
parentPort.once('message', () => {
16+
/* Wait for message to stop the Worker */
17+
});
18+
`, { eval: true });
19+
20+
await once(w, 'online');
21+
22+
const report = process.report.getReport();
23+
helper.validateContent(report);
24+
assert.strictEqual(report.workers.length, 1);
25+
helper.validateContent(report.workers[0]);
26+
27+
w.postMessage({});
28+
29+
await once(w, 'exit');
30+
}
31+
32+
async function interruptingJS() {
33+
// Test that the report also works when Worker threads are busy in JS land.
34+
35+
const w = new Worker('while (true);', { eval: true });
36+
37+
await once(w, 'online');
38+
39+
const report = process.report.getReport();
40+
helper.validateContent(report);
41+
assert.strictEqual(report.workers.length, 1);
42+
helper.validateContent(report.workers[0]);
43+
44+
await w.terminate();
45+
}
46+
47+
(async function() {
48+
await basic();
49+
await interruptingJS();
50+
})().then(common.mustCall());

0 commit comments

Comments
 (0)