• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1 #include "inspector_agent.h"
2 
3 #include "env-inl.h"
4 #include "inspector/main_thread_interface.h"
5 #include "inspector/node_string.h"
6 #include "inspector/runtime_agent.h"
7 #include "inspector/tracing_agent.h"
8 #include "inspector/worker_agent.h"
9 #include "inspector/worker_inspector.h"
10 #include "inspector_io.h"
11 #include "node/inspector/protocol/Protocol.h"
12 #include "node_errors.h"
13 #include "node_internals.h"
14 #include "node_options-inl.h"
15 #include "node_process-inl.h"
16 #include "node_url.h"
17 #include "util-inl.h"
18 #include "timer_wrap-inl.h"
19 #include "v8-inspector.h"
20 #include "v8-platform.h"
21 
22 #include "libplatform/libplatform.h"
23 
24 #ifdef __POSIX__
25 #include <pthread.h>
26 #include <climits>  // PTHREAD_STACK_MIN
27 #endif  // __POSIX__
28 
29 #include <algorithm>
30 #include <cstring>
31 #include <sstream>
32 #include <unordered_map>
33 #include <vector>
34 
35 namespace node {
36 namespace inspector {
37 namespace {
38 
39 using node::OnFatalError;
40 
41 using v8::Context;
42 using v8::Function;
43 using v8::HandleScope;
44 using v8::Isolate;
45 using v8::Local;
46 using v8::Message;
47 using v8::Object;
48 using v8::Value;
49 
50 using v8_inspector::StringBuffer;
51 using v8_inspector::StringView;
52 using v8_inspector::V8Inspector;
53 using v8_inspector::V8InspectorClient;
54 
55 #ifdef __POSIX__
56 static uv_sem_t start_io_thread_semaphore;
57 #endif  // __POSIX__
58 static uv_async_t start_io_thread_async;
59 // This is just an additional check to make sure start_io_thread_async
60 // is not accidentally re-used or used when uninitialized.
61 static std::atomic_bool start_io_thread_async_initialized { false };
62 // Protects the Agent* stored in start_io_thread_async.data.
63 static Mutex start_io_thread_async_mutex;
64 
ToProtocolString(Isolate * isolate,Local<Value> value)65 std::unique_ptr<StringBuffer> ToProtocolString(Isolate* isolate,
66                                                Local<Value> value) {
67   TwoByteValue buffer(isolate, value);
68   return StringBuffer::create(StringView(*buffer, buffer.length()));
69 }
70 
71 // Called on the main thread.
StartIoThreadAsyncCallback(uv_async_t * handle)72 void StartIoThreadAsyncCallback(uv_async_t* handle) {
73   static_cast<Agent*>(handle->data)->StartIoThread();
74 }
75 
76 
77 #ifdef __POSIX__
StartIoThreadWakeup(int signo,siginfo_t * info,void * ucontext)78 static void StartIoThreadWakeup(int signo, siginfo_t* info, void* ucontext) {
79   uv_sem_post(&start_io_thread_semaphore);
80 }
81 
StartIoThreadMain(void * unused)82 inline void* StartIoThreadMain(void* unused) {
83   for (;;) {
84     uv_sem_wait(&start_io_thread_semaphore);
85     Mutex::ScopedLock lock(start_io_thread_async_mutex);
86 
87     CHECK(start_io_thread_async_initialized);
88     Agent* agent = static_cast<Agent*>(start_io_thread_async.data);
89     if (agent != nullptr)
90       agent->RequestIoThreadStart();
91   }
92 }
93 
StartDebugSignalHandler()94 static int StartDebugSignalHandler() {
95   // Start a watchdog thread for calling v8::Debug::DebugBreak() because
96   // it's not safe to call directly from the signal handler, it can
97   // deadlock with the thread it interrupts.
98   CHECK_EQ(0, uv_sem_init(&start_io_thread_semaphore, 0));
99   pthread_attr_t attr;
100   CHECK_EQ(0, pthread_attr_init(&attr));
101 #if defined(PTHREAD_STACK_MIN) && !defined(__FreeBSD__)
102   // PTHREAD_STACK_MIN is 2 KiB with musl libc, which is too small to safely
103   // receive signals. PTHREAD_STACK_MIN + MINSIGSTKSZ is 8 KiB on arm64, which
104   // is the musl architecture with the biggest MINSIGSTKSZ so let's use that
105   // as a lower bound and let's quadruple it just in case. The goal is to avoid
106   // creating a big 2 or 4 MiB address space gap (problematic on 32 bits
107   // because of fragmentation), not squeeze out every last byte.
108   // Omitted on FreeBSD because it doesn't seem to like small stacks.
109   const size_t stack_size = std::max(static_cast<size_t>(4 * 8192),
110                                      static_cast<size_t>(PTHREAD_STACK_MIN));
111   CHECK_EQ(0, pthread_attr_setstacksize(&attr, stack_size));
112 #endif  // defined(PTHREAD_STACK_MIN) && !defined(__FreeBSD__)
113   CHECK_EQ(0, pthread_attr_setdetachstate(&attr, PTHREAD_CREATE_DETACHED));
114   sigset_t sigmask;
115   // Mask all signals.
116   sigfillset(&sigmask);
117   sigset_t savemask;
118   CHECK_EQ(0, pthread_sigmask(SIG_SETMASK, &sigmask, &savemask));
119   sigmask = savemask;
120   pthread_t thread;
121   const int err = pthread_create(&thread, &attr,
122                                  StartIoThreadMain, nullptr);
123   // Restore original mask
124   CHECK_EQ(0, pthread_sigmask(SIG_SETMASK, &sigmask, nullptr));
125   CHECK_EQ(0, pthread_attr_destroy(&attr));
126   if (err != 0) {
127     fprintf(stderr, "node[%u]: pthread_create: %s\n",
128             uv_os_getpid(), strerror(err));
129     fflush(stderr);
130     // Leave SIGUSR1 blocked.  We don't install a signal handler,
131     // receiving the signal would terminate the process.
132     return -err;
133   }
134   RegisterSignalHandler(SIGUSR1, StartIoThreadWakeup);
135   // Unblock SIGUSR1.  A pending SIGUSR1 signal will now be delivered.
136   sigemptyset(&sigmask);
137   sigaddset(&sigmask, SIGUSR1);
138   CHECK_EQ(0, pthread_sigmask(SIG_UNBLOCK, &sigmask, nullptr));
139   return 0;
140 }
141 #endif  // __POSIX__
142 
143 
144 #ifdef _WIN32
StartIoThreadProc(void * arg)145 DWORD WINAPI StartIoThreadProc(void* arg) {
146   Mutex::ScopedLock lock(start_io_thread_async_mutex);
147   CHECK(start_io_thread_async_initialized);
148   Agent* agent = static_cast<Agent*>(start_io_thread_async.data);
149   if (agent != nullptr)
150     agent->RequestIoThreadStart();
151   return 0;
152 }
153 
GetDebugSignalHandlerMappingName(DWORD pid,wchar_t * buf,size_t buf_len)154 static int GetDebugSignalHandlerMappingName(DWORD pid, wchar_t* buf,
155                                             size_t buf_len) {
156   return _snwprintf(buf, buf_len, L"node-debug-handler-%u", pid);
157 }
158 
StartDebugSignalHandler()159 static int StartDebugSignalHandler() {
160   wchar_t mapping_name[32];
161   HANDLE mapping_handle;
162   DWORD pid;
163   LPTHREAD_START_ROUTINE* handler;
164 
165   pid = uv_os_getpid();
166 
167   if (GetDebugSignalHandlerMappingName(pid,
168                                        mapping_name,
169                                        arraysize(mapping_name)) < 0) {
170     return -1;
171   }
172 
173   mapping_handle = CreateFileMappingW(INVALID_HANDLE_VALUE,
174                                       nullptr,
175                                       PAGE_READWRITE,
176                                       0,
177                                       sizeof *handler,
178                                       mapping_name);
179   if (mapping_handle == nullptr) {
180     return -1;
181   }
182 
183   handler = reinterpret_cast<LPTHREAD_START_ROUTINE*>(
184       MapViewOfFile(mapping_handle,
185                     FILE_MAP_ALL_ACCESS,
186                     0,
187                     0,
188                     sizeof *handler));
189   if (handler == nullptr) {
190     CloseHandle(mapping_handle);
191     return -1;
192   }
193 
194   *handler = StartIoThreadProc;
195 
196   UnmapViewOfFile(static_cast<void*>(handler));
197 
198   return 0;
199 }
200 #endif  // _WIN32
201 
202 
203 const int CONTEXT_GROUP_ID = 1;
204 
GetWorkerLabel(node::Environment * env)205 std::string GetWorkerLabel(node::Environment* env) {
206   std::ostringstream result;
207   result << "Worker[" << env->thread_id() << "]";
208   return result.str();
209 }
210 
211 class ChannelImpl final : public v8_inspector::V8Inspector::Channel,
212                           public protocol::FrontendChannel {
213  public:
ChannelImpl(Environment * env,const std::unique_ptr<V8Inspector> & inspector,std::shared_ptr<WorkerManager> worker_manager,std::unique_ptr<InspectorSessionDelegate> delegate,std::shared_ptr<MainThreadHandle> main_thread_,bool prevent_shutdown)214   explicit ChannelImpl(Environment* env,
215                        const std::unique_ptr<V8Inspector>& inspector,
216                        std::shared_ptr<WorkerManager> worker_manager,
217                        std::unique_ptr<InspectorSessionDelegate> delegate,
218                        std::shared_ptr<MainThreadHandle> main_thread_,
219                        bool prevent_shutdown)
220       : delegate_(std::move(delegate)), prevent_shutdown_(prevent_shutdown),
221         retaining_context_(false) {
222     session_ = inspector->connect(CONTEXT_GROUP_ID, this, StringView());
223     node_dispatcher_ = std::make_unique<protocol::UberDispatcher>(this);
224     tracing_agent_ =
225         std::make_unique<protocol::TracingAgent>(env, main_thread_);
226     tracing_agent_->Wire(node_dispatcher_.get());
227     if (worker_manager) {
228       worker_agent_ = std::make_unique<protocol::WorkerAgent>(worker_manager);
229       worker_agent_->Wire(node_dispatcher_.get());
230     }
231     runtime_agent_ = std::make_unique<protocol::RuntimeAgent>();
232     runtime_agent_->Wire(node_dispatcher_.get());
233   }
234 
~ChannelImpl()235   ~ChannelImpl() override {
236     tracing_agent_->disable();
237     tracing_agent_.reset();  // Dispose before the dispatchers
238     if (worker_agent_) {
239       worker_agent_->disable();
240       worker_agent_.reset();  // Dispose before the dispatchers
241     }
242     runtime_agent_->disable();
243     runtime_agent_.reset();  // Dispose before the dispatchers
244   }
245 
dispatchProtocolMessage(const StringView & message)246   void dispatchProtocolMessage(const StringView& message) {
247     std::string raw_message = protocol::StringUtil::StringViewToUtf8(message);
248     per_process::Debug(DebugCategory::INSPECTOR_SERVER,
249                        "[inspector received] %s\n",
250                        raw_message);
251     std::unique_ptr<protocol::DictionaryValue> value =
252         protocol::DictionaryValue::cast(protocol::StringUtil::parseMessage(
253             raw_message, false));
254     int call_id;
255     std::string method;
256     node_dispatcher_->parseCommand(value.get(), &call_id, &method);
257     if (v8_inspector::V8InspectorSession::canDispatchMethod(
258             Utf8ToStringView(method)->string())) {
259       session_->dispatchProtocolMessage(message);
260     } else {
261       node_dispatcher_->dispatch(call_id, method, std::move(value),
262                                  raw_message);
263     }
264   }
265 
schedulePauseOnNextStatement(const std::string & reason)266   void schedulePauseOnNextStatement(const std::string& reason) {
267     std::unique_ptr<StringBuffer> buffer = Utf8ToStringView(reason);
268     session_->schedulePauseOnNextStatement(buffer->string(), buffer->string());
269   }
270 
preventShutdown()271   bool preventShutdown() {
272     return prevent_shutdown_;
273   }
274 
notifyWaitingForDisconnect()275   bool notifyWaitingForDisconnect() {
276     retaining_context_ = runtime_agent_->notifyWaitingForDisconnect();
277     return retaining_context_;
278   }
279 
retainingContext()280   bool retainingContext() {
281     return retaining_context_;
282   }
283 
284  private:
sendResponse(int callId,std::unique_ptr<v8_inspector::StringBuffer> message)285   void sendResponse(
286       int callId,
287       std::unique_ptr<v8_inspector::StringBuffer> message) override {
288     sendMessageToFrontend(message->string());
289   }
290 
sendNotification(std::unique_ptr<v8_inspector::StringBuffer> message)291   void sendNotification(
292       std::unique_ptr<v8_inspector::StringBuffer> message) override {
293     sendMessageToFrontend(message->string());
294   }
295 
flushProtocolNotifications()296   void flushProtocolNotifications() override { }
297 
sendMessageToFrontend(const StringView & message)298   void sendMessageToFrontend(const StringView& message) {
299     if (per_process::enabled_debug_list.enabled(
300             DebugCategory::INSPECTOR_SERVER)) {
301       std::string raw_message = protocol::StringUtil::StringViewToUtf8(message);
302       per_process::Debug(DebugCategory::INSPECTOR_SERVER,
303                          "[inspector send] %s\n",
304                          raw_message);
305     }
306     delegate_->SendMessageToFrontend(message);
307   }
308 
sendMessageToFrontend(const std::string & message)309   void sendMessageToFrontend(const std::string& message) {
310     sendMessageToFrontend(Utf8ToStringView(message)->string());
311   }
312 
313   using Serializable = protocol::Serializable;
314 
sendProtocolResponse(int callId,std::unique_ptr<Serializable> message)315   void sendProtocolResponse(int callId,
316                             std::unique_ptr<Serializable> message) override {
317     sendMessageToFrontend(message->serializeToJSON());
318   }
sendProtocolNotification(std::unique_ptr<Serializable> message)319   void sendProtocolNotification(
320       std::unique_ptr<Serializable> message) override {
321     sendMessageToFrontend(message->serializeToJSON());
322   }
323 
fallThrough(int callId,const std::string & method,const std::string & message)324   void fallThrough(int callId,
325                    const std::string& method,
326                    const std::string& message) override {
327     DCHECK(false);
328   }
329 
330   std::unique_ptr<protocol::RuntimeAgent> runtime_agent_;
331   std::unique_ptr<protocol::TracingAgent> tracing_agent_;
332   std::unique_ptr<protocol::WorkerAgent> worker_agent_;
333   std::unique_ptr<InspectorSessionDelegate> delegate_;
334   std::unique_ptr<v8_inspector::V8InspectorSession> session_;
335   std::unique_ptr<protocol::UberDispatcher> node_dispatcher_;
336   bool prevent_shutdown_;
337   bool retaining_context_;
338 };
339 
340 class SameThreadInspectorSession : public InspectorSession {
341  public:
SameThreadInspectorSession(int session_id,std::shared_ptr<NodeInspectorClient> client)342   SameThreadInspectorSession(
343       int session_id, std::shared_ptr<NodeInspectorClient> client)
344       : session_id_(session_id), client_(client) {}
345   ~SameThreadInspectorSession() override;
346   void Dispatch(const v8_inspector::StringView& message) override;
347 
348  private:
349   int session_id_;
350   std::weak_ptr<NodeInspectorClient> client_;
351 };
352 
NotifyClusterWorkersDebugEnabled(Environment * env)353 void NotifyClusterWorkersDebugEnabled(Environment* env) {
354   Isolate* isolate = env->isolate();
355   HandleScope handle_scope(isolate);
356   Local<Context> context = env->context();
357 
358   // Send message to enable debug in cluster workers
359   Local<Object> message = Object::New(isolate);
360   message->Set(context, FIXED_ONE_BYTE_STRING(isolate, "cmd"),
361                FIXED_ONE_BYTE_STRING(isolate, "NODE_DEBUG_ENABLED")).Check();
362   ProcessEmit(env, "internalMessage", message);
363 }
364 
365 #ifdef _WIN32
IsFilePath(const std::string & path)366 bool IsFilePath(const std::string& path) {
367   // '\\'
368   if (path.length() > 2 && path[0] == '\\' && path[1] == '\\')
369     return true;
370   // '[A-Z]:[/\\]'
371   if (path.length() < 3)
372     return false;
373   if ((path[0] >= 'A' && path[0] <= 'Z') || (path[0] >= 'a' && path[0] <= 'z'))
374     return path[1] == ':' && (path[2] == '/' || path[2] == '\\');
375   return false;
376 }
377 #else
IsFilePath(const std::string & path)378 bool IsFilePath(const std::string& path) {
379   return !path.empty() && path[0] == '/';
380 }
381 #endif  // __POSIX__
382 
ThrowUninitializedInspectorError(Environment * env)383 void ThrowUninitializedInspectorError(Environment* env) {
384   HandleScope scope(env->isolate());
385 
386   const char* msg = "This Environment was initialized without a V8::Inspector";
387   Local<Value> exception =
388     v8::String::NewFromUtf8(env->isolate(), msg).ToLocalChecked();
389 
390   env->isolate()->ThrowException(exception);
391 }
392 
393 }  // namespace
394 
395 class NodeInspectorClient : public V8InspectorClient {
396  public:
NodeInspectorClient(node::Environment * env,bool is_main)397   explicit NodeInspectorClient(node::Environment* env, bool is_main)
398       : env_(env), is_main_(is_main) {
399     client_ = V8Inspector::create(env->isolate(), this);
400     // TODO(bnoordhuis) Make name configurable from src/node.cc.
401     std::string name =
402         is_main_ ? GetHumanReadableProcessName() : GetWorkerLabel(env);
403     ContextInfo info(name);
404     info.is_default = true;
405     contextCreated(env->context(), info);
406   }
407 
runMessageLoopOnPause(int context_group_id)408   void runMessageLoopOnPause(int context_group_id) override {
409     waiting_for_resume_ = true;
410     runMessageLoop();
411   }
412 
waitForSessionsDisconnect()413   void waitForSessionsDisconnect() {
414     waiting_for_sessions_disconnect_ = true;
415     runMessageLoop();
416   }
417 
waitForFrontend()418   void waitForFrontend() {
419     waiting_for_frontend_ = true;
420     runMessageLoop();
421   }
422 
maxAsyncCallStackDepthChanged(int depth)423   void maxAsyncCallStackDepthChanged(int depth) override {
424     if (waiting_for_sessions_disconnect_) {
425       // V8 isolate is mostly done and is only letting Inspector protocol
426       // clients gather data.
427       return;
428     }
429     if (auto agent = env_->inspector_agent()) {
430       if (depth == 0) {
431         agent->DisableAsyncHook();
432       } else {
433         agent->EnableAsyncHook();
434       }
435     }
436   }
437 
contextCreated(Local<Context> context,const ContextInfo & info)438   void contextCreated(Local<Context> context, const ContextInfo& info) {
439     auto name_buffer = Utf8ToStringView(info.name);
440     auto origin_buffer = Utf8ToStringView(info.origin);
441     std::unique_ptr<StringBuffer> aux_data_buffer;
442 
443     v8_inspector::V8ContextInfo v8info(
444         context, CONTEXT_GROUP_ID, name_buffer->string());
445     v8info.origin = origin_buffer->string();
446 
447     if (info.is_default) {
448       aux_data_buffer = Utf8ToStringView("{\"isDefault\":true}");
449     } else {
450       aux_data_buffer = Utf8ToStringView("{\"isDefault\":false}");
451     }
452     v8info.auxData = aux_data_buffer->string();
453 
454     client_->contextCreated(v8info);
455   }
456 
contextDestroyed(Local<Context> context)457   void contextDestroyed(Local<Context> context) {
458     client_->contextDestroyed(context);
459   }
460 
quitMessageLoopOnPause()461   void quitMessageLoopOnPause() override {
462     waiting_for_resume_ = false;
463   }
464 
runIfWaitingForDebugger(int context_group_id)465   void runIfWaitingForDebugger(int context_group_id) override {
466     waiting_for_frontend_ = false;
467   }
468 
connectFrontend(std::unique_ptr<InspectorSessionDelegate> delegate,bool prevent_shutdown)469   int connectFrontend(std::unique_ptr<InspectorSessionDelegate> delegate,
470                       bool prevent_shutdown) {
471     int session_id = next_session_id_++;
472     channels_[session_id] = std::make_unique<ChannelImpl>(env_,
473                                                           client_,
474                                                           getWorkerManager(),
475                                                           std::move(delegate),
476                                                           getThreadHandle(),
477                                                           prevent_shutdown);
478     return session_id;
479   }
480 
disconnectFrontend(int session_id)481   void disconnectFrontend(int session_id) {
482     auto it = channels_.find(session_id);
483     if (it == channels_.end())
484       return;
485     bool retaining_context = it->second->retainingContext();
486     channels_.erase(it);
487     if (retaining_context) {
488       for (const auto& id_channel : channels_) {
489         if (id_channel.second->retainingContext())
490           return;
491       }
492       contextDestroyed(env_->context());
493     }
494     if (waiting_for_sessions_disconnect_ && !is_main_)
495       waiting_for_sessions_disconnect_ = false;
496   }
497 
dispatchMessageFromFrontend(int session_id,const StringView & message)498   void dispatchMessageFromFrontend(int session_id, const StringView& message) {
499     channels_[session_id]->dispatchProtocolMessage(message);
500   }
501 
ensureDefaultContextInGroup(int contextGroupId)502   Local<Context> ensureDefaultContextInGroup(int contextGroupId) override {
503     return env_->context();
504   }
505 
installAdditionalCommandLineAPI(Local<Context> context,Local<Object> target)506   void installAdditionalCommandLineAPI(Local<Context> context,
507                                        Local<Object> target) override {
508     Local<Function> installer = env_->inspector_console_extension_installer();
509     if (!installer.IsEmpty()) {
510       Local<Value> argv[] = {target};
511       // If there is an exception, proceed in JS land
512       USE(installer->Call(context, target, arraysize(argv), argv));
513     }
514   }
515 
ReportUncaughtException(Local<Value> error,Local<Message> message)516   void ReportUncaughtException(Local<Value> error, Local<Message> message) {
517     Isolate* isolate = env_->isolate();
518     Local<Context> context = env_->context();
519 
520     int script_id = message->GetScriptOrigin().ScriptId();
521 
522     Local<v8::StackTrace> stack_trace = message->GetStackTrace();
523 
524     if (!stack_trace.IsEmpty() && stack_trace->GetFrameCount() > 0 &&
525         script_id == stack_trace->GetFrame(isolate, 0)->GetScriptId()) {
526       script_id = 0;
527     }
528 
529     const uint8_t DETAILS[] = "Uncaught";
530 
531     client_->exceptionThrown(
532         context,
533         StringView(DETAILS, sizeof(DETAILS) - 1),
534         error,
535         ToProtocolString(isolate, message->Get())->string(),
536         ToProtocolString(isolate, message->GetScriptResourceName())->string(),
537         message->GetLineNumber(context).FromMaybe(0),
538         message->GetStartColumn(context).FromMaybe(0),
539         client_->createStackTrace(stack_trace),
540         script_id);
541   }
542 
startRepeatingTimer(double interval_s,TimerCallback callback,void * data)543   void startRepeatingTimer(double interval_s,
544                            TimerCallback callback,
545                            void* data) override {
546     auto result =
547         timers_.emplace(std::piecewise_construct, std::make_tuple(data),
548                         std::make_tuple(env_, [=]() { callback(data); }));
549     CHECK(result.second);
550     uint64_t interval = static_cast<uint64_t>(1000 * interval_s);
551     result.first->second.Update(interval, interval);
552   }
553 
cancelTimer(void * data)554   void cancelTimer(void* data) override {
555     timers_.erase(data);
556   }
557 
558   // Async stack traces instrumentation.
AsyncTaskScheduled(const StringView & task_name,void * task,bool recurring)559   void AsyncTaskScheduled(const StringView& task_name, void* task,
560                           bool recurring) {
561     client_->asyncTaskScheduled(task_name, task, recurring);
562   }
563 
AsyncTaskCanceled(void * task)564   void AsyncTaskCanceled(void* task) {
565     client_->asyncTaskCanceled(task);
566   }
567 
AsyncTaskStarted(void * task)568   void AsyncTaskStarted(void* task) {
569     client_->asyncTaskStarted(task);
570   }
571 
AsyncTaskFinished(void * task)572   void AsyncTaskFinished(void* task) {
573     client_->asyncTaskFinished(task);
574   }
575 
AllAsyncTasksCanceled()576   void AllAsyncTasksCanceled() {
577     client_->allAsyncTasksCanceled();
578   }
579 
schedulePauseOnNextStatement(const std::string & reason)580   void schedulePauseOnNextStatement(const std::string& reason) {
581     for (const auto& id_channel : channels_) {
582       id_channel.second->schedulePauseOnNextStatement(reason);
583     }
584   }
585 
hasConnectedSessions()586   bool hasConnectedSessions() {
587     for (const auto& id_channel : channels_) {
588       // Other sessions are "invisible" more most purposes
589       if (id_channel.second->preventShutdown())
590         return true;
591     }
592     return false;
593   }
594 
notifyWaitingForDisconnect()595   bool notifyWaitingForDisconnect() {
596     bool retaining_context = false;
597     for (const auto& id_channel : channels_) {
598       if (id_channel.second->notifyWaitingForDisconnect())
599         retaining_context = true;
600     }
601     return retaining_context;
602   }
603 
getThreadHandle()604   std::shared_ptr<MainThreadHandle> getThreadHandle() {
605     if (!interface_) {
606       interface_ = std::make_shared<MainThreadInterface>(
607           env_->inspector_agent());
608     }
609     return interface_->GetHandle();
610   }
611 
getWorkerManager()612   std::shared_ptr<WorkerManager> getWorkerManager() {
613     if (!is_main_) {
614       return nullptr;
615     }
616     if (worker_manager_ == nullptr) {
617       worker_manager_ =
618           std::make_shared<WorkerManager>(getThreadHandle());
619     }
620     return worker_manager_;
621   }
622 
IsActive()623   bool IsActive() {
624     return !channels_.empty();
625   }
626 
627  private:
shouldRunMessageLoop()628   bool shouldRunMessageLoop() {
629     if (waiting_for_frontend_)
630       return true;
631     if (waiting_for_sessions_disconnect_ || waiting_for_resume_) {
632       return hasConnectedSessions();
633     }
634     return false;
635   }
636 
runMessageLoop()637   void runMessageLoop() {
638     if (running_nested_loop_)
639       return;
640 
641     running_nested_loop_ = true;
642 
643     while (shouldRunMessageLoop()) {
644       if (interface_) interface_->WaitForFrontendEvent();
645       env_->RunAndClearInterrupts();
646     }
647     running_nested_loop_ = false;
648   }
649 
currentTimeMS()650   double currentTimeMS() override {
651     return env_->isolate_data()->platform()->CurrentClockTimeMillis();
652   }
653 
resourceNameToUrl(const StringView & resource_name_view)654   std::unique_ptr<StringBuffer> resourceNameToUrl(
655       const StringView& resource_name_view) override {
656     std::string resource_name =
657         protocol::StringUtil::StringViewToUtf8(resource_name_view);
658     if (!IsFilePath(resource_name))
659       return nullptr;
660 
661     std::string url = node::url::FromFilePath(resource_name);
662     return Utf8ToStringView(url);
663   }
664 
665   node::Environment* env_;
666   bool is_main_;
667   bool running_nested_loop_ = false;
668   std::unique_ptr<V8Inspector> client_;
669   // Note: ~ChannelImpl may access timers_ so timers_ has to come first.
670   std::unordered_map<void*, TimerWrapHandle> timers_;
671   std::unordered_map<int, std::unique_ptr<ChannelImpl>> channels_;
672   int next_session_id_ = 1;
673   bool waiting_for_resume_ = false;
674   bool waiting_for_frontend_ = false;
675   bool waiting_for_sessions_disconnect_ = false;
676   // Allows accessing Inspector from non-main threads
677   std::shared_ptr<MainThreadInterface> interface_;
678   std::shared_ptr<WorkerManager> worker_manager_;
679 };
680 
Agent(Environment * env)681 Agent::Agent(Environment* env)
682     : parent_env_(env),
683       debug_options_(env->options()->debug_options()),
684       host_port_(env->inspector_host_port()) {}
685 
~Agent()686 Agent::~Agent() {}
687 
Start(const std::string & path,const DebugOptions & options,std::shared_ptr<ExclusiveAccess<HostPort>> host_port,bool is_main)688 bool Agent::Start(const std::string& path,
689                   const DebugOptions& options,
690                   std::shared_ptr<ExclusiveAccess<HostPort>> host_port,
691                   bool is_main) {
692   path_ = path;
693   debug_options_ = options;
694   CHECK_NOT_NULL(host_port);
695   host_port_ = host_port;
696 
697   client_ = std::make_shared<NodeInspectorClient>(parent_env_, is_main);
698   if (parent_env_->owns_inspector()) {
699     Mutex::ScopedLock lock(start_io_thread_async_mutex);
700     CHECK_EQ(start_io_thread_async_initialized.exchange(true), false);
701     CHECK_EQ(0, uv_async_init(parent_env_->event_loop(),
702                               &start_io_thread_async,
703                               StartIoThreadAsyncCallback));
704     uv_unref(reinterpret_cast<uv_handle_t*>(&start_io_thread_async));
705     start_io_thread_async.data = this;
706     // Ignore failure, SIGUSR1 won't work, but that should not block node start.
707     StartDebugSignalHandler();
708 
709     parent_env_->AddCleanupHook([](void* data) {
710       Environment* env = static_cast<Environment*>(data);
711 
712       {
713         Mutex::ScopedLock lock(start_io_thread_async_mutex);
714         start_io_thread_async.data = nullptr;
715       }
716 
717       // This is global, will never get freed
718       env->CloseHandle(&start_io_thread_async, [](uv_async_t*) {
719         CHECK(start_io_thread_async_initialized.exchange(false));
720       });
721     }, parent_env_);
722   }
723 
724   AtExit(parent_env_, [](void* env) {
725     Agent* agent = static_cast<Environment*>(env)->inspector_agent();
726     if (agent->IsActive()) {
727       agent->WaitForDisconnect();
728     }
729   }, parent_env_);
730 
731   bool wait_for_connect = options.wait_for_connect();
732   if (parent_handle_) {
733     wait_for_connect = parent_handle_->WaitForConnect();
734     parent_handle_->WorkerStarted(client_->getThreadHandle(), wait_for_connect);
735   } else if (!options.inspector_enabled || !options.allow_attaching_debugger ||
736              !StartIoThread()) {
737     return false;
738   }
739 
740   // Patch the debug options to implement waitForDebuggerOnStart for
741   // the NodeWorker.enable method.
742   if (wait_for_connect) {
743     CHECK(!parent_env_->has_serialized_options());
744     debug_options_.EnableBreakFirstLine();
745     parent_env_->options()->get_debug_options()->EnableBreakFirstLine();
746     client_->waitForFrontend();
747   }
748   return true;
749 }
750 
StartIoThread()751 bool Agent::StartIoThread() {
752   if (io_ != nullptr)
753     return true;
754 
755   if (!parent_env_->should_create_inspector() && !client_) {
756     ThrowUninitializedInspectorError(parent_env_);
757     return false;
758   }
759 
760   CHECK_NOT_NULL(client_);
761 
762   io_ = InspectorIo::Start(client_->getThreadHandle(),
763                            path_,
764                            host_port_,
765                            debug_options_.inspect_publish_uid);
766   if (io_ == nullptr) {
767     return false;
768   }
769   NotifyClusterWorkersDebugEnabled(parent_env_);
770   return true;
771 }
772 
Stop()773 void Agent::Stop() {
774   io_.reset();
775 }
776 
Connect(std::unique_ptr<InspectorSessionDelegate> delegate,bool prevent_shutdown)777 std::unique_ptr<InspectorSession> Agent::Connect(
778     std::unique_ptr<InspectorSessionDelegate> delegate,
779     bool prevent_shutdown) {
780   if (!parent_env_->should_create_inspector() && !client_) {
781     ThrowUninitializedInspectorError(parent_env_);
782     return std::unique_ptr<InspectorSession>{};
783   }
784 
785   CHECK_NOT_NULL(client_);
786 
787   int session_id = client_->connectFrontend(std::move(delegate),
788                                             prevent_shutdown);
789   return std::unique_ptr<InspectorSession>(
790       new SameThreadInspectorSession(session_id, client_));
791 }
792 
ConnectToMainThread(std::unique_ptr<InspectorSessionDelegate> delegate,bool prevent_shutdown)793 std::unique_ptr<InspectorSession> Agent::ConnectToMainThread(
794     std::unique_ptr<InspectorSessionDelegate> delegate,
795     bool prevent_shutdown) {
796   if (!parent_env_->should_create_inspector() && !client_) {
797     ThrowUninitializedInspectorError(parent_env_);
798     return std::unique_ptr<InspectorSession>{};
799   }
800 
801   CHECK_NOT_NULL(parent_handle_);
802   CHECK_NOT_NULL(client_);
803   auto thread_safe_delegate =
804       client_->getThreadHandle()->MakeDelegateThreadSafe(std::move(delegate));
805   return parent_handle_->Connect(std::move(thread_safe_delegate),
806                                  prevent_shutdown);
807 }
808 
WaitForDisconnect()809 void Agent::WaitForDisconnect() {
810   if (!parent_env_->should_create_inspector() && !client_) {
811     ThrowUninitializedInspectorError(parent_env_);
812     return;
813   }
814 
815   CHECK_NOT_NULL(client_);
816   bool is_worker = parent_handle_ != nullptr;
817   parent_handle_.reset();
818   if (client_->hasConnectedSessions() && !is_worker) {
819     fprintf(stderr, "Waiting for the debugger to disconnect...\n");
820     fflush(stderr);
821   }
822   if (!client_->notifyWaitingForDisconnect()) {
823     client_->contextDestroyed(parent_env_->context());
824   } else if (is_worker) {
825     client_->waitForSessionsDisconnect();
826   }
827   if (io_ != nullptr) {
828     io_->StopAcceptingNewConnections();
829     client_->waitForSessionsDisconnect();
830   }
831 }
832 
ReportUncaughtException(Local<Value> error,Local<Message> message)833 void Agent::ReportUncaughtException(Local<Value> error,
834                                     Local<Message> message) {
835   if (!IsListening())
836     return;
837   client_->ReportUncaughtException(error, message);
838   WaitForDisconnect();
839 }
840 
PauseOnNextJavascriptStatement(const std::string & reason)841 void Agent::PauseOnNextJavascriptStatement(const std::string& reason) {
842   client_->schedulePauseOnNextStatement(reason);
843 }
844 
RegisterAsyncHook(Isolate * isolate,Local<Function> enable_function,Local<Function> disable_function)845 void Agent::RegisterAsyncHook(Isolate* isolate,
846                               Local<Function> enable_function,
847                               Local<Function> disable_function) {
848   parent_env_->set_inspector_enable_async_hooks(enable_function);
849   parent_env_->set_inspector_disable_async_hooks(disable_function);
850   if (pending_enable_async_hook_) {
851     CHECK(!pending_disable_async_hook_);
852     pending_enable_async_hook_ = false;
853     EnableAsyncHook();
854   } else if (pending_disable_async_hook_) {
855     CHECK(!pending_enable_async_hook_);
856     pending_disable_async_hook_ = false;
857     DisableAsyncHook();
858   }
859 }
860 
EnableAsyncHook()861 void Agent::EnableAsyncHook() {
862   HandleScope scope(parent_env_->isolate());
863   Local<Function> enable = parent_env_->inspector_enable_async_hooks();
864   if (!enable.IsEmpty()) {
865     ToggleAsyncHook(parent_env_->isolate(), enable);
866   } else if (pending_disable_async_hook_) {
867     CHECK(!pending_enable_async_hook_);
868     pending_disable_async_hook_ = false;
869   } else {
870     pending_enable_async_hook_ = true;
871   }
872 }
873 
DisableAsyncHook()874 void Agent::DisableAsyncHook() {
875   HandleScope scope(parent_env_->isolate());
876   Local<Function> disable = parent_env_->inspector_enable_async_hooks();
877   if (!disable.IsEmpty()) {
878     ToggleAsyncHook(parent_env_->isolate(), disable);
879   } else if (pending_enable_async_hook_) {
880     CHECK(!pending_disable_async_hook_);
881     pending_enable_async_hook_ = false;
882   } else {
883     pending_disable_async_hook_ = true;
884   }
885 }
886 
ToggleAsyncHook(Isolate * isolate,Local<Function> fn)887 void Agent::ToggleAsyncHook(Isolate* isolate, Local<Function> fn) {
888   // Guard against running this during cleanup -- no async events will be
889   // emitted anyway at that point anymore, and calling into JS is not possible.
890   // This should probably not be something we're attempting in the first place,
891   // Refs: https://github.com/nodejs/node/pull/34362#discussion_r456006039
892   if (!parent_env_->can_call_into_js()) return;
893   CHECK(parent_env_->has_run_bootstrapping_code());
894   HandleScope handle_scope(isolate);
895   CHECK(!fn.IsEmpty());
896   auto context = parent_env_->context();
897   v8::TryCatch try_catch(isolate);
898   USE(fn->Call(context, Undefined(isolate), 0, nullptr));
899   if (try_catch.HasCaught() && !try_catch.HasTerminated()) {
900     PrintCaughtException(isolate, context, try_catch);
901     OnFatalError("\nnode::inspector::Agent::ToggleAsyncHook",
902                  "Cannot toggle Inspector's AsyncHook, please report this.");
903   }
904 }
905 
AsyncTaskScheduled(const StringView & task_name,void * task,bool recurring)906 void Agent::AsyncTaskScheduled(const StringView& task_name, void* task,
907                                bool recurring) {
908   client_->AsyncTaskScheduled(task_name, task, recurring);
909 }
910 
AsyncTaskCanceled(void * task)911 void Agent::AsyncTaskCanceled(void* task) {
912   client_->AsyncTaskCanceled(task);
913 }
914 
AsyncTaskStarted(void * task)915 void Agent::AsyncTaskStarted(void* task) {
916   client_->AsyncTaskStarted(task);
917 }
918 
AsyncTaskFinished(void * task)919 void Agent::AsyncTaskFinished(void* task) {
920   client_->AsyncTaskFinished(task);
921 }
922 
AllAsyncTasksCanceled()923 void Agent::AllAsyncTasksCanceled() {
924   client_->AllAsyncTasksCanceled();
925 }
926 
RequestIoThreadStart()927 void Agent::RequestIoThreadStart() {
928   // We need to attempt to interrupt V8 flow (in case Node is running
929   // continuous JS code) and to wake up libuv thread (in case Node is waiting
930   // for IO events)
931   if (!options().allow_attaching_debugger) {
932     return;
933   }
934   CHECK(start_io_thread_async_initialized);
935   uv_async_send(&start_io_thread_async);
936   parent_env_->RequestInterrupt([this](Environment*) {
937     StartIoThread();
938   });
939 
940   CHECK(start_io_thread_async_initialized);
941   uv_async_send(&start_io_thread_async);
942 }
943 
ContextCreated(Local<Context> context,const ContextInfo & info)944 void Agent::ContextCreated(Local<Context> context, const ContextInfo& info) {
945   if (client_ == nullptr)  // This happens for a main context
946     return;
947   client_->contextCreated(context, info);
948 }
949 
IsActive()950 bool Agent::IsActive() {
951   if (client_ == nullptr)
952     return false;
953   return io_ != nullptr || client_->IsActive();
954 }
955 
SetParentHandle(std::unique_ptr<ParentInspectorHandle> parent_handle)956 void Agent::SetParentHandle(
957     std::unique_ptr<ParentInspectorHandle> parent_handle) {
958   parent_handle_ = std::move(parent_handle);
959 }
960 
GetParentHandle(uint64_t thread_id,const std::string & url,const std::string & name)961 std::unique_ptr<ParentInspectorHandle> Agent::GetParentHandle(
962     uint64_t thread_id, const std::string& url, const std::string& name) {
963   if (!parent_env_->should_create_inspector() && !client_) {
964     ThrowUninitializedInspectorError(parent_env_);
965     return std::unique_ptr<ParentInspectorHandle>{};
966   }
967 
968   CHECK_NOT_NULL(client_);
969   if (!parent_handle_) {
970     return client_->getWorkerManager()->NewParentHandle(thread_id, url, name);
971   } else {
972     return parent_handle_->NewParentInspectorHandle(thread_id, url, name);
973   }
974 }
975 
WaitForConnect()976 void Agent::WaitForConnect() {
977   if (!parent_env_->should_create_inspector() && !client_) {
978     ThrowUninitializedInspectorError(parent_env_);
979     return;
980   }
981 
982   CHECK_NOT_NULL(client_);
983   client_->waitForFrontend();
984 }
985 
GetWorkerManager()986 std::shared_ptr<WorkerManager> Agent::GetWorkerManager() {
987   if (!parent_env_->should_create_inspector() && !client_) {
988     ThrowUninitializedInspectorError(parent_env_);
989     return std::unique_ptr<WorkerManager>{};
990   }
991 
992   CHECK_NOT_NULL(client_);
993   return client_->getWorkerManager();
994 }
995 
GetWsUrl() const996 std::string Agent::GetWsUrl() const {
997   if (io_ == nullptr)
998     return "";
999   return io_->GetWsUrl();
1000 }
1001 
~SameThreadInspectorSession()1002 SameThreadInspectorSession::~SameThreadInspectorSession() {
1003   auto client = client_.lock();
1004   if (client)
1005     client->disconnectFrontend(session_id_);
1006 }
1007 
Dispatch(const v8_inspector::StringView & message)1008 void SameThreadInspectorSession::Dispatch(
1009     const v8_inspector::StringView& message) {
1010   auto client = client_.lock();
1011   if (client)
1012     client->dispatchMessageFromFrontend(session_id_, message);
1013 }
1014 
1015 }  // namespace inspector
1016 }  // namespace node
1017