Movatterモバイル変換


[0]ホーム

URL:


Tryagent mode in VS Code!

Dismiss this update

Node.js debugging in VS Code

The Visual Studio Code editor has built-in debugging support for theNode.js runtime and can debug JavaScript, TypeScript, and many other languages that are transpiled into JavaScript. Setting up a project for Node.js debugging is straightforward with VS Code providing appropriate launch configuration defaults and snippets.

There are a few ways you can debug your Node.js programs in VS Code:

Auto Attach

If theAuto Attach feature is enabled, the Node debugger automatically attaches to certain Node.js processes that have been launched from VS Code's Integrated Terminal. To enable the feature, either use theToggle Auto Attach command from the Command Palette (⇧⌘P (Windows, LinuxCtrl+Shift+P)) or, if it's already activated, use theAuto Attach Status bar item.

There are three modes for auto attach, which you can select in the resulting Quick Pick and via thedebug.javascript.autoAttachFilter setting:

  • smart - If you execute a script outside of yournode_modules folder or use a common 'runner' script like mocha or ts-node, the process will be debugged. You can configure the 'runner' script allow list using theAuto Attach Smart Pattern setting (debug.javascript.autoAttachSmartPattern).
  • always - All Node.js processes launched in the Integrated Terminal will be debugged.
  • onlyWithFlag - Only processes launched with the--inspect or--inspect-brk flag will be debugged.

After enablingAuto Attach, you'll need to restart your terminal by clicking the ⚠ icon in the top right of the terminal, or just creating a new one. Then, the debugger should attach to your program within a second:

Auto Attach

When auto attach is on, theAuto Attach item will appear in the status bar across the bottom of the VS Code window. Clicking it allows you to change the auto attach mode, or temporarily turn it off. Temporarily turning off auto attach is useful if you're running some one-off programs where you don't need debugging, but you don't want to disable the feature entirely.

Additional Configuration

Other Launch Configuration Properties

You can applyother properties normally found in launch.json to auto attach in thedebug.javascript.terminalOptions setting. For example, to add node internals to your skipFiles, you could add the following to your user or workspace settings:

  "debug.javascript.terminalOptions": {    "skipFiles": [      "<node_internals>/**"    ]  },

Auto Attach Smart Patterns

Insmart Auto Attach mode, VS Code will try to attach to your code, and not attach to build tools you aren't interested in debugging. It does this by matching the main script against a list ofglob patterns. The glob patterns are configurable in thedebug.javascript.autoAttachSmartPattern setting, which defaults to:

[  '!**/node_modules/**',// exclude scripts in node_modules folders  '**/$KNOWN_TOOLS$/**' // but include some common tools];

$KNOWN_TOOLS$ is replaced with a list of common 'code runners' such asts-node,mocha,ava, and so on. You can modify this list if these settings don't work. For example, to excludemocha and includemy-cool-test-runner, you could add two lines:

[  '!**/node_modules/**',  '**/$KNOWN_TOOLS$/**',  '!**/node_modules/mocha/**',// use "!" to exclude all scripts in "mocha" node modules  '**/node_modules/my-cool-test-runner/**' // include scripts in the custom test runner];

JavaScript Debug Terminal

In a similar way toauto attach, the JavaScript Debug Terminal will automatically debug any Node.js process you run in it. You can create a Debug Terminal by running theDebug: Create JavaScript Debug Terminal command from the Command Palette (kbs(workbench.action.showCommands)), or by selecting theCreate JavaScript Debug Terminal from the terminal switcher dropdown.

Create Debug Terminal

Additional Configuration

Other Launch Configuration Properties

You can applyother properties normally found in launch.json to the debug terminal in thedebug.javascript.terminalOptions setting. For example, to add node internals to your skipFiles, you could add the following to your user or workspace settings:

"debug.javascript.terminalOptions": {  "skipFiles": [    "<node_internals>/**"  ]},

Launch Configuration

Launch configs are the traditional way to set up debugging in VS Code, and provide you the most configuration options for running complex applications.

In this section we'll go into more detail about configurations and features for more advanced debugging scenarios. You'll find instruction for debugging withsource maps,stepping over external code, doingremote debugging, and much more.

If you'd like to watch an introductory video, seeGetting started with debugging in VS Code.

Note: If you are just getting started with VS Code, you can learn about general debugging features and creatinglaunch.json configuration files in theDebugging topic.

Launch configuration attributes

Debugging configurations are stored in alaunch.json file located in your workspace's.vscode folder. An introduction into the creation and use of debugging configuration files is in the generalDebugging article.

Below is a reference of commonlaunch.json attributes specific to the Node.js debugger. You can view the complete set of options in thevscode-js-debug options documentation.

The following attributes are supported in launch configurations of typelaunch andattach:

  • outFiles - array ofglob patterns for locating generated JavaScript files. See sectionSource maps.
  • resolveSourceMapLocations - an array ofglob patterns for locations where source maps should be parsed. See sectionSource maps.
  • timeout - when restarting a session, give up after this number of milliseconds. See sectionAttaching to Node.js.
  • stopOnEntry - break immediately when the program launches.
  • localRoot - VS Code's root directory. See sectionRemote debugging below.
  • remoteRoot - Node's root directory. See sectionRemote debugging below.
  • smartStep- try to automatically step over code that doesn't map to source files. See sectionSmart stepping.
  • skipFiles - automatically skip files covered by theseglob patterns. See sectionSkipping uninteresting code.
  • trace - enable diagnostic output.

These attributes are only available for launch configurations of request typelaunch:

  • program - an absolute path to the Node.js program to debug.
  • args - arguments passed to the program to debug. This attribute is of type array and expects individual arguments as array elements.
  • cwd - launch the program to debug in this directory.
  • runtimeExecutable - absolute path to the runtime executable to be used. Default isnode. See sectionLaunch configuration support for 'npm' and other tools.
  • runtimeArgs - optional arguments passed to the runtime executable.
  • runtimeVersion - if "nvm" (or "nvm-windows") or "nvs" is used for managing Node.js versions, this attribute can be used to select a specific version of Node.js. See sectionMulti version support below.
  • env - optional environment variables. This attribute expects environment variables as a list of string typed key/value pairs.
  • envFile - optional path to a file containing environment variable definitions. See sectionLoad environment variables from external file below.
  • console - the console to launch the program (internalConsole,integratedTerminal,externalTerminal). See sectionNode Console below.
  • outputCapture - if set tostd, output from the process stdout/stderr will be shown in the Debug Console, instead of listening to output over the debug port. This is useful for programs or log libraries that write directly to the stdout/stderr streams instead of usingconsole.* APIs.

This attribute is only available for launch configurations of request typeattach:

  • restart - restart the connection on termination. See sectionRestarting debug session automatically.
  • port - debug port to use. See sectionsAttaching to Node.js andRemote debugging.
  • address - TCP/IP address of the debug port. See sectionsAttaching to Node.js andRemote debugging.
  • processId - the debugger tries to attach to this process after having sent a USR1 signal. With this setting, the debugger can attach to an already running process that was not started in debug mode. When using theprocessId attribute, the debug port is determined automatically based on the Node.js version (and the used protocol) and cannot be configured explicitly. So don't specify aport attribute.
  • continueOnAttach - whether to continue the process if it's paused when we attach to it. This option is useful if you launch your program with--inspect-brk.

Launch configurations for common scenarios

You can trigger IntelliSense (⌃Space (Windows, LinuxCtrl+Space)) in yourlaunch.json file to see launch configuration snippets for commonly used Node.js debugging scenarios.

Launch configuration snippets for Node.js

You can also bring up the snippets with theAdd Configuration... button in the lower right of thelaunch.json editor window.

Add Configuration button

The following snippets are available:

  • Launch Program: Launch a Node.js program in debug mode.
  • Launch via npm: Launch a Node.js program through an npm 'debug' script. You can use an npm debug script from your launch configuration if it has been defined in your package.json. The debug port used in the npm script must correspond to the port specified in the snippet.
  • Attach: Attach to the debug port of a locally running Node.js program. Make sure that the Node.js program to debug has been started in debug mode, and the debug port used is the same as the one specified in the snippet.
  • Attach to Remote Program: Attach to the debug port of a Node.js program running on the host specified by theaddress attribute. Make sure that the Node.js program to debug has been started in debug mode, and the debug port used is the same as the one specified in the snippet. To help VS Code map source files between your workspace and the filesystem of the remote host, make sure to specify correct paths for thelocalRootandremoteRoot attributes.
  • Attach by Process ID: Open the process picker to select a node or gulp process for debugging. With this launch configuration, you can even attach to a node or gulp process that was not started in debug mode.
  • Nodemon Setup: Use nodemon to relaunch a debug session automatically whenever the JavaScript source has changed. Make sure that you have nodemon installed globally. Note that terminating the debug session only terminates the program to debug, not nodemon itself. To terminate nodemon, pressCtrl+C in the Integrated Terminal.
  • Mocha Tests: Debug mocha tests in atest folder of your project. Make sure that your project has 'mocha' installed in itsnode_modules folder.
  • Yeoman generator: Debug a yeoman generator. The snippet asks you to specify the name of the generator. Make sure that your project has 'yo' installed in itsnode_modules folder and that your generated project has been installed for debugging by runningnpm link in the project folder.
  • Gulp task: Debug a gulp task. Make sure that your project has 'gulp' installed in itsnode_modules folder.
  • Electron Main: Debug the main Node.js process of an Electron application. The snippet assumes that the Electron executable has been installed inside thenode_modules/.bin directory of the workspace.

Node console

By default, Node.js debug sessions launch the target in the internal VS Code Debug Console. Since the Debug Console does not support programs that need to read input from the console, you can enable either an external terminal or use the VS Code Integrated Terminal by setting theconsole attribute in your launch configuration toexternalTerminal orintegratedTerminal respectively. The default isinternalConsole.

In an external terminal, you can configure which terminal program to use via theterminal.external.windowsExec,terminal.external.osxExec, andterminal.external.linuxExec settings.

Launch configuration support for 'npm' and other tools

Instead of launching the Node.js program directly with node, you can use 'npm' scripts or other task runner tools directly from a launch configuration:

  • You can use any program available on the PATH (for example 'npm', 'mocha', 'gulp', etc.) for theruntimeExecutable attribute and arguments can be passed viaruntimeArgs.
  • You do not have to set theprogram attribute if your npm script or other tool implicitly specifies the program to launch.

Let's look at an 'npm' example. If yourpackage.json has a 'debug' script, for example:

  "scripts": {    "debug":"node myProgram.js"  },

the corresponding launch configuration would look like this:

{  "name":"Launch via npm",  "type":"node",  "request":"launch",  "cwd":"${workspaceFolder}",  "runtimeExecutable":"npm",  "runtimeArgs": ["run-script","debug"]}

Multi version support

If you are using 'nvm' (or 'nvm-windows') to manage your Node.js versions, it is possible to specify aruntimeVersion attribute in a launch configuration for selecting a specific version of Node.js:

{  "type":"node",  "request":"launch",  "name":"Launch test",  "runtimeVersion":"14",  "program":"${workspaceFolder}/test.js"}

If you are using 'nvs' to manage your Node.js versions, it is possible to useruntimeVersion attribute to select a specific version, architecture, and flavor Node.js, for example:

{  "type":"node",  "request":"launch",  "name":"Launch test",  "runtimeVersion":"chackracore/8.9.4/x64",  "program":"${workspaceFolder}/test.js"}

Make sure to have those Node.js versions installed that you want to use with theruntimeVersion attribute, as the feature will not download and install the version automatically. For example, you'll have to run something likenvm install 7.10.1 ornvs add 7.10.1 from the integrated terminal if you plan to add"runtimeVersion": "7.10.1" to your launch configuration.

If you omit the minor and patch version and have, for example,"runtimeVersion": "14", then the most recent14.x.y version installed on your system will be used.

Load environment variables from external file

The VS Code Node debugger supports loading environment variables from a file and passing them to the Node.js runtime. To use this feature, add an attributeenvFile to your launch configuration and specify the absolute path to the file containing the environment variables:

   //...   "envFile":"${workspaceFolder}/.env",   "env": {"USER":"john doe" }   //...

Any environment variable specified in theenv dictionary will override variables loaded from the file.

Here's an example of an.env file:

USER=doePASSWORD=abc123# a comment# an empty value:empty=# new lines expanded in quoted strings:lines="foo\nbar"

Attaching to Node.js

If you want to attach the VS Code debugger to an external Node.js program, launch Node.js as follows:

node --inspect program.js

or if the program shouldn't start running, but must wait for the debugger to attach:

node --inspect-brk program.js

Options to attach the debugger to your program:

  • Open a "process picker" that lists all potential candidate processes and let you pick one, or
  • Create an "attach" configuration that explicitly specifies all configuration options and then pressF5.

Let's go through these options in detail:

Attach to Node Process action

TheAttach to Node Process command from the Command Palette (⇧⌘P (Windows, LinuxCtrl+Shift+P)) opens a Quick Pick menu that lists all potential processes that are available to the Node.js debugger:

Node.js Process picker

The individual processes listed in the picker show the debug port and process ID. Once you select your Node.js process in that list, the Node.js debugger will try to attach to it.

In addition to Node.js processes, the picker also shows other programs that were launched with one of the various forms--inspect arguments. This makes it possible to attach to Electron's or VS Code's helper processes.

Setting up an "Attach" configuration

This option requires more work but in contrast to the previous two options it allows you to configure various debug configuration options explicitly.

The simplest "attach" configuration looks like this:

{  "name":"Attach to Process",  "type":"node",  "request":"attach",  "port":9229}

The port9229 is the default debug port of the--inspect and--inspect-brk options. To use a different port (for example12345), add it to the options like this:--inspect=12345 and--inspect-brk=12345 and change theport attribute in the launch configuration to match.

To attach to a Node.js process that hasn't been started in debug mode, you can do this by specifying the process ID of the Node.js process as a string:

{  "name":"Attach to Process",  "type":"node",  "request":"attach",  "processId":"53426"}

To avoid repeatedly entering a new process ID in the launch configuration, Node debug supports a command variablePickProcess that will open the process picker (from above).

Using thePickProcess variable the launch configuration looks like this:

{  "name":"Attach to Process",  "type":"node",  "request":"attach",  "processId":"${command:PickProcess}"}

Stop debugging

Using theDebug: Stop action (available in the Debug toolbar or via theCommand Palette) stops the debug session.

If the debug session was started in "attach" mode (and the red terminate button in the Debug toolbar shows a superimposed "plug"), pressingStop disconnects the Node.js debugger from the debuggee that then continues execution.

If the debug session is in "launch" mode, pressingStop does the following:

  1. When pressingStop for the first time, the debuggee is requested to shut down gracefully by sending aSIGINT signal. The debuggee is free to intercept this signal and clean up anything as necessary and then shut down. If there are no breakpoints (or problems) in that shutdown code, the debuggee and the debug session will terminate.

  2. However, if the debugger hits a breakpoint in the shutdown code or if the debuggee does not terminate properly by itself, then the debug session will not end. In this case, pressingStop again will force terminate the debuggee and its child processes (SIGKILL).

If you see that a debug session doesn't end when you press the redStop button, then press the button again to force a shutdown of the debuggee.

On Windows, pressingStop forcibly kills the debuggee and its child processes.

Source maps

The JavaScript debugger of VS Code supports source maps that help debugging of transpiled languages, for example, TypeScript or minified/uglified JavaScript. With source maps, it's possible to single step through or set breakpoints in the original source. If no source map exists for the original source, or if the source map is broken and cannot successfully map between the source and the generated JavaScript, then breakpoints show up as unverified (gray hollow circles).

ThesourceMaps attribute that defaults totrue controls the source map feature. The debugger always tries to use source maps (if it can find any) and as a consequence, you can even specify a source file (for example, app.ts) with theprogram attribute. If you need to disable source maps for some reason, you can set thesourceMaps attribute tofalse.

Tool Configuration

Since source maps are not always automatically created, you should make sure to configure your transpiler to create them. For example:

TypeScript

For TypeScript, you can enable sourcemaps by passing--sourceMap totsc, or by adding"sourceMap": true in your tsconfig.json file.

tsc --sourceMap --outDir bin app.ts

Babel

For Babel, you'll want to set thesourceMaps option totrue, or pass the--source-maps option when compiling your code.

npx babel script.js --out-file script-compiled.js --source-maps

Webpack

Webpack hasnumerous source map options. We recommend setting the propertydevtool: "source-map" in yourwebpack.config.js for the best fidelity of results, although you can experiment with other settings causes slowdowns in your build.

Also, if you have additional compilation steps in webpack, such as using a TypeScript loader, you'll also want to make sure that those steps are set up to generate sourcemaps. Otherwise, the sourcemaps that webpack generates will map back to the compiled code from the loader, instead of the real sources.

Source Map Discovery

By default, VS Code will search your entire workspace, excludingnode_modules, for sourcemaps. In large workspaces, this search might be slow. You can configure the locations where VS Code will search for source maps by setting theoutFiles attribute in yourlaunch.json. For example, this configuration will only discover sourcemaps for.js files in thebin folder:

{  "version":"0.2.0",  "configurations": [    {      "name":"Launch TypeScript",      "type":"node",      "request":"launch",      "program":"app.ts",      "outFiles": ["${workspaceFolder}/bin/**/*.js"]    }  ]}

Note that theoutFiles should match your JavaScript files, not the source map files (which may end in.map instead of.js).

Source Map Resolution

By default, only source maps in youroutFiles will be resolved. This behavior is used to prevent dependencies from interfering with breakpoints you set. For example, if you had a filesrc/index.ts and a dependency had a source map that referencedwebpack:///./src/index.ts, that would incorrectly resolve to your source file and could lead to surprising results.

You can configure this behavior by setting theresolveSourceMapLocations option. If set tonull, every source map will be resolved. For example, this configuration will additionally allow source maps innode_modules/some-dependency to be resolved:

  "resolveSourceMapLocations": [    "out/**/*.js",    "node_modules/some-dependency/**/*.js",  ]

Smart stepping

With thesmartStep attribute set totrue in a launch configuration, VS Code will automatically skip 'uninteresting code' when stepping through code in the debugger. 'Uninteresting code' is code that is generated by a transpiling process but is not covered by a source map so it does not map back to the original source. This code gets in your way when stepping through source code in the debugger because it makes the debugger switch between the original source code and generated code that you are not interested in.smartStep will automatically step through code not covered by a source map until it reaches a location that is covered by a source map again.

Smart stepping is especially useful for cases like async/await downcompilation in TypeScript, where the compiler injects helper code that is not covered by a source map.

ThesmartStep feature only applies to JavaScript code that was generated from source and therefore has a source map. For JavaScript without sources, the smart stepping option has no effect.

JavaScript source map tips

A common issue when debugging with source maps is that you'll set a breakpoint, and it will turn gray. If you hover the cursor over it, you'll see the message,"Breakpoint ignored because generated code not found (source map problem?)". What now? There are a range of issues that can lead to this. First, a quick explanation of how the Node debug adapter handles source maps.

When you set a breakpoint inapp.ts, the debug adapter has to figure out the path toapp.js, the transpiled version of your TypeScript file, which is what is actually running in Node. But, there is not a straightforward way to figure this out starting from the.ts file. Instead, the debug adapter uses theoutFiles attribute in thelaunch.json to find all the transpiled.js files, and parses them for a source map, which contains the locations of its associated.ts files.

When you build yourapp.ts file in TypeScript with source maps enabled, it either produces anapp.js.map file, or a source map inlined as a base64-encoded string in a comment at the bottom of theapp.js file. To find the.ts files associated with this map, the debug adapter looks at two properties in the source map,sources, andsourceRoot.sourceRoot is optional - if present, it is prepended to each path insources, which is an array of paths. The result is an array of absolute or relative paths to.ts files. Relative paths are resolved relative to the source map.

Finally, the debug adapter searches for the full path ofapp.ts in this resulting list of.ts files. If there's a match, it has found the source map file to use when mappingapp.ts toapp.js. If there is no match, then it can't bind the breakpoint, and it will turn gray.

Here are some things to try when your breakpoints turn gray:

  • While debugging, run theDebug: Diagnose Breakpoint Problems command. This command will bring up a tool that can provide hints to help you resolve any issues from the Command Palette (⇧⌘P (Windows, LinuxCtrl+Shift+P)).
  • Did you build with source maps enabled? Make sure there are.js.map files, or inlined source maps in your.js files.
  • Are thesourceRoot andsources properties in your source map correct? Can they be combined to get the correct path to the.ts file?
  • Have you opened the folder in VS Code with the incorrect case? It's possible to open folderfoo/ from the command line likecode FOO in which case source maps may not be resolved correctly.
  • Try searching for help with your particular setup on Stack Overflow or by filing an issue on GitHub.
  • Try adding adebugger statement. If it breaks into the.ts file there, but breakpoints at that spot don't bind, that is useful information to include with a GitHub issue.

Overriding source map paths

The debugger usessourceMapPathOverrides to implement custom sourcemap-to-disk path mapping. Good defaults are in place for most tools, but in advanced cases you may need to customize it. The default paths overrides is an object map that looks like this:

{  'webpack:///./~/*':"${workspaceFolder}/node_modules/*",  'webpack:////*':'/*',  'webpack://@?:*/?:*/*':"${workspaceFolder}/*",  // and some more patterns...}

This maps paths or URLs in the source map from the left to the right. The pattern?:* is a non-greedy, non-capturing match, and* is a greedy capturing match. The debugger then replaces the corresponding* in the right-hand pattern with the fragment captured from the source map path. For example, the last pattern in the above example would mapwebpack://@my/package/foo/bar to${workspaceFolder}/foo/bar.

Note that for browser debugging, thewebRoot is used in place of theworkspaceFolder in the defaultsourceMapPathOverrides.

Remote debugging

Note: VS Code now has universalremote development capabilities. Using theRemote Development extensions, Node.js development in remote scenarios and containers is no different than Node.js development in a local setup.This is the recommended way to remote debug Node.js programs. Check out theGetting started section andRemote tutorials to learn more.

If you are unable to use any of the Remote Development extensions to debug your Node.js program, below is a guide on how to debug a remote Node.js program from your local instance of VS Code.

The Node.js debugger supports remote debugging where you attach to a process running on a different machine, or in a container. Specify a remote host via theaddress attribute. For example:

{  "type":"node",  "request":"attach",  "name":"Attach to remote",  "address":"192.168.148.2",// <- remote address here  "port":9229}

By default, VS Code will stream the debugged source from the remote Node.js folder to the local VS Code and show it in a read-only editor. You can step through this code, but cannot modify it. If you want VS Code to open the editable source from your workspace instead, you can set up a mapping between the remote and local locations. AlocalRoot and aremoteRoot attribute can be used to map paths between a local VS Code project and a (remote) Node.js folder. This works even locally on the same system or across different operating systems. Whenever a code path needs to be converted from the remote Node.js folder to a local VS Code path, theremoteRoot path is stripped off the path and replaced bylocalRoot. For the reverse conversion, thelocalRoot path is replaced by theremoteRoot.

{  "type":"node",  "request":"attach",  "name":"Attach to remote",  "address":"TCP/IP address of process to be debugged",  "port":9229,  "localRoot":"${workspaceFolder}",  "remoteRoot":"C:\\Users\\username\\project\\server"}

Access Loaded Scripts

If you need to set a breakpoint in a script that is not part of your workspace and therefore cannot be easily located and opened through normal VS Code file browsing, you can access the loaded scripts via theLOADED SCRIPTS view in theRun and Debug view:

Loaded Scripts Explorer

TheLOADED SCRIPTS view lets you quickly select the script by typing its name or filter the list whenEnable Filter on Type is on.

Scripts are loaded into a read-only editor where you can set breakpoints. These breakpoints are remembered across debug sessions but you only have access to the script content while a debug session is running.

Restarting debug sessions automatically when source is edited

Therestart attribute of a launch configuration controls whether the Node.js debugger automatically restarts after the debug session has ended. This feature is useful if you usenodemon to restart Node.js on file changes. Setting the launch configuration attributerestart totrue makes the node debugger automatically try to reattach to Node.js after Node.js has terminated.

If you have started your programserver.js vianodemon on the command line like this:

nodemon --inspect server.js

you can attach the VS Code debugger to it with the following launch configuration:

{  "name":"Attach to node",  "type":"node",  "request":"attach",  "restart":true,  "port":9229}

Alternatively, you can start your programserver.js vianodemon directly with a launch config and attach the VS Code debugger:

{  "name":"Launch server.js via nodemon",  "type":"node",  "request":"launch",  "runtimeExecutable":"nodemon",  "program":"${workspaceFolder}/server.js",  "console":"integratedTerminal",  "internalConsoleOptions":"neverOpen"}

Tip: Pressing theStop button stops the debug session and disconnects from Node.js, butnodemon (and Node.js) will continue to run. To stopnodemon, you will have to kill it from the command line (which is easily possible if you use theintegratedTerminal as shown above).

Tip: In case of syntax errors,nodemon will not be able to start Node.js successfully until the error has been fixed. In this case, VS Code will continue trying to attach to Node.js but eventually give up (after 10 seconds). To avoid this, you can increase the timeout by adding atimeout attribute with a larger value (in milliseconds).

Restart frame

The Node debugger supports restarting execution at a stack frame. This can be useful in situations where you have found a problem in your source code and you want to rerun a small portion of the code with modified input values. Stopping and then restarting the full debug session can be time-consuming. TheRestart Frame action allows you to reenter the current function after you have changed variables with theSet Value action:

Restart frame

Restart Frame won't roll back mutation to state outside of the function, so it may not always work as expected.

Breakpoints

Conditional Breakpoints

Conditional breakpoints are breakpoints that only pause when an expression returns a truthy value. You can create one by right-clicking in the gutter beside a line number and selecting "Conditional Breakpoint":

Conditional breakpoint

Logpoints

Sometimes you want to just log a message or value when code hits a certain location, rather than pausing. You can do this with logpoints. Logpoints don't pause, but rather log a message to the Debug Console when hit. In the JavaScript debugger, you can use curly braces to interpolate expressions into the message, likecurrent value is: {myVariable.property}.

You can create one by right-clicking in the gutter beside a line number and selecting "Logpoint". For example, this might log something likelocation is /usr/local:

Logpoint

Hit count breakpoints

The 'hit count condition' controls how many times a breakpoint needs to be hit before it will 'break' execution. You can place a hit count breakpoint by right-clicking in the gutter beside a line number, selecting "Conditional Breakpoint", and then switching to "Hit Count".

Hit count breakpoint

The hit count syntax supported by the Node.js debugger is either an integer or one of the operators<,<=,==,>,>=,% followed by an integer.

Some examples:

  • >10 break always after 10 hits
  • <3 break on the first two hits only
  • 10 same as>=10
  • %2 break on every other hit

Triggered breakpoints

A trigged breakpoint is a breakpoint that is automatically enabled once another breakpoint is hit. They can be very useful when diagnosing failure cases in code that happen only after a certain precondition.

Triggered breakpoints can be set by right-clicking on the glyph margin, selectingAdd Triggered Breakpoint, and then choosing which other breakpoint enables the breakpoint.

Breakpoint validation

For performance reasons, Node.js parses the functions inside JavaScript files lazily on first access. As a consequence, breakpoints don't work in source code areas that haven't been seen (parsed) by Node.js.

Since this behavior is not ideal for debugging, VS Code passes the--nolazy option to Node.js automatically. This prevents the delayed parsing and ensures that breakpoints can be validated before running the code (so they no longer "jump").

Since the--nolazy option might increase the start-up time of the debug target significantly, you can easily opt out by passing a--lazy as aruntimeArgs attribute.

When doing so, you will find that some of your breakpoints don't "stick" to the line requested but instead "jump" for the next possible line in already-parsed code. To avoid confusion, VS Code always shows breakpoints at the location where Node.js thinks the breakpoint is. In theBREAKPOINTS section, these breakpoints are shown with an arrow between requested and actual line number:

Breakpoints View

This breakpoint validation occurs when a session starts and the breakpoints are registered with Node.js, or when a session is already running and a new breakpoint is set. In this case, the breakpoint may "jump" to a different location. After Node.js has parsed all the code (for example, by running through it), breakpoints can be easily reapplied to the requested locations with theReapply button in theBREAKPOINTS section header. This should make the breakpoints "jump back" to the requested location.

Breakpoint Actions

Skipping uninteresting code

VS Code Node.js debugging has a feature to avoid source code that you don't want to step through (also known as 'Just My Code'). This feature can be enabled with theskipFiles attribute in your launch configuration.skipFiles is an array ofglob patterns for script paths to skip.

For example, using:

  "skipFiles": [    "${workspaceFolder}/node_modules/**/*.js",    "${workspaceFolder}/lib/**/*.js"  ]

all code in thenode_modules andlib folders in your project will be skipped. TheskipFiles also apply to the location shown when callingconsole.log and similar methods: the first non-skipped location in the stack will be shown beside the output in the Debug Console.

Built-incore modules of Node.js can be referred to by the 'magic name'<node_internals> in aglob patterns. The following example skips all internal modules:

  "skipFiles": [     "<node_internals>/**/*.js"   ]

The exact 'skipping' rules are as follows:

  • If you step into a skipped file, you won't stop there - you will stop on the next executed line that is not in a skipped file.
  • If you have set the option to break on thrown exceptions, then you won't break on exceptions thrown from skipped files unless they bubble up into a non-skipped file.
  • If you set a breakpoint in a skipped file, you will stop at that breakpoint, and you will be able to step through it until you step out of it, at which point normal skipping behavior will resume.
  • The location of console messages from inside skip files will be shown as the first non-skipped location in the call stack.

Skipped source is shown in a 'dimmed' style in the CALL STACK view:

Skipped source is dimmed in call stack view

Hovering over the dimmed entries explains why the stack frame is dimmed.

A context menu item on the call stack,Toggle skipping this file enables you to easily skip a file at runtime without adding it to your launch config. This option only persists for the current debugging session. You can also use it to stop skipping a file that is skipped by theskipFiles option in your launch config.

Note: Thelegacy protocol debugger supports negativeglob patterns, but they mustfollow a positive pattern: positive patterns add to the set of skipped files, while negative patterns subtract from that set.

In the following (legacy protocol-only) example all but a 'math' module is skipped:

"skipFiles": [    "${workspaceFolder}/node_modules/**/*.js",    "!${workspaceFolder}/node_modules/math/**/*.js"]

Note: Thelegacy protocol debugger has to emulate theskipFiles feature because theV8 Debugger Protocol does not support it natively. This might result in slow stepping performance.

Debugging WebAssembly

The JavaScript debugger can debug code compiled into WebAssembly if it includesDWARF debug information. Many toolchains support emitting this information:

  • C/C++ with Emscripten: Compile with the the-g flag to emit debug information.
  • Zig: DWARF information is automatically emittted in the "Debug" build mode.
  • Rust: Rust emits DWARF debug information. However, wasm-packdoes not yet retain it during the build. So, instead of runningwasm-pack build, users of the common wasm-bindgen/wasm-pack libraries should build manually build using two commands:
    1. cargo install wasm-bindgen-cli once to install the necessary command-line tool.
    2. cargo build --target wasm32-unknown-unknown to build your library.
    3. wasm-bindgen --keep-debug --out-dir pkg ./target/wasm32-unknown-unknown/debug/<library-name>.wasm <extra-arguments> to generate the WebAssembly bindings, replacing<library-name> with the name from your Cargo.toml and configuring<extra-arguments> as necessary.

After you have your code built, you'll want to install theWebAssembly DWARF Debugging extension. This is shipped as a separate extension in order to keep the VS Code core 'streamlined.' Once installed, restart any active debugging sessions, and native code should then be mapped in the debugger! You should see your source code appear in theLoaded Sources view, and breakpoints should work.

In the image below, the debugger is stopped on a breakpoint in C++ source code that creates a Mandelbrot fractal. The call stack is visible, with frames from the JavaScript code, to WebAssembly, to the mapped C++ code. You can also see the variables in the C++ code, and an edit to the memory associated with the int32height variable.

Debugger stopped on a breakpoint in C++ source code

While close to parity, debugging WebAssembly is a little different than ordinary #"https://github.com/google/lldb-eval">lldb-eval. This is different than ordinary JavaScript expressions.

  • Locations not mapped to source code will be shown in disassembled WebAssembly Text Format. For WebAssembly, the commandDisable Source Map Stepping will cause the debugger to step only in disassembled code.
  • VS Code's WebAssembly debugging is built upon theC/C++ Debugging Extension from the Chromium authors.

    Supported Node-like runtimes

    The current VS Code JavaScript debugger supports Node version at or above 8.x, recent Chrome versions, and recent Edge versions (via themsedge launch type).

    Next steps

    In case you didn't already read the Node.js section, take a look at:

    • Node.js - End to end Node scenario with a sample application

    To see a tutorial on the basics of debugging in VS Code, check out this video:

    To learn about VS Code's task running support, go to:

    • Tasks - Running tasks with Gulp, Grunt, and Jake. Showing Errors and Warnings

    To write your own debugger extension, visit:

    • Debugger Extension - Steps to create a VS Code debug extension starting from a mock sample

    Common questions

    Can I debug if I'm using symlinks?

    Yes, if you've created symlinks for folders inside your project, such as withnpm link, you can debug the symlinked sources by telling the Node.js runtime to preserve symlinked paths. Use the node.exe--preserve-symlinksswitch in your launch configurationruntimeArgs attribute.runtimeArgs, an array of strings, are passed to the debugging session runtime executable, which defaults to node.exe.

    {  "runtimeArgs": ["--preserve-symlinks"]}

    If your main script is inside a symlinked path, then you will also need to add the"--preserve-symlinks-main" option. This option is only available in Node 10+.

    How do I debug ECMAScript modules?

    If you use esm or pass--experimental-modules to Node.js in order to use ECMAScript modules, you can pass these options through theruntimeArgs attribute oflaunch.json:

    How can I set NODE_OPTIONS?

    The debugger uses the specialNODE_OPTIONS environment variable to set up debugging with your application, and overwriting it will prevent debugging from working correctly. Instead of overwriting it, you should append to it instead. For example, a.bashrc file might have something like this:

    export NODE_OPTIONS="$NODE_OPTIONS --some-other-option=here"
    05/08/2025

    [8]ページ先頭

    ©2009-2025 Movatter.jp