Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat(vscode): improved wing debugging and docs (breakpoints) #5981

Merged
merged 9 commits into from
Mar 19, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions apps/vscode-wing/.projenrc.ts
Original file line number Diff line number Diff line change
Expand Up @@ -97,6 +97,7 @@ vscodeIgnore.addPatterns(
);

const contributes: VSCodeExtensionContributions = {
breakpoints: [{ language: "wing" }],
MarkMcCulloh marked this conversation as resolved.
Show resolved Hide resolved
languages: [
{
id: "wing",
Expand Down
5 changes: 5 additions & 0 deletions apps/vscode-wing/package.json

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

31 changes: 31 additions & 0 deletions docs/docs/06-tools/03-debugging.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,31 @@
---
title: Debugging
id: Debugging
description: Learn how to debug your Wing application
keywords: [debugging, debug, test, vscode]
---

## Overview

MarkMcCulloh marked this conversation as resolved.
Show resolved Hide resolved
Internally Wing uses JavaScript to execute preflight and inflight code, so standard JavaScript debugging tools can be used to debug your Wing application. The best-supported debugger is the built-in VS Code one so this guide will focus on that.

### Local/Simulator Debugging

To start, open your .w file in VS Code and set a breakpoint by clicking in the gutter to the left of the line number. Breakpoints can also be set in extern files. There are several ways to start the debugger, but let's use the "JavaScript Debug Terminal".
Open the command palette and type "Debug: Open JavaScript Debug Terminal". This works for any wing commands like `wing test` and `wing it`, although keep in mind that `wing compile` will only debug preflight code.

### Limitations

- ([Issue](https://github.com/winglang/wing/issues/5988)) When using the Wing Console (`wing it`) and attempting to debug inflight code in a `test` or Function, the first execution of the test will not hit a breakpoint and will need to be run again
- ([Issue](https://github.com/winglang/wing/issues/5986)) inflight code by default has a timeout that continues during debugging, so if execution is paused for too long the program is terminate
- Caught/Unhandled will often not stop at expected places

#### Non-VSCode Support

The Wing CLI itself is a Node.js application, so you can use the `--inspect` flag to debug it and expose a debug server.

```bash
node --inspect $(which wing)
```

Note that inflight code will be executed among multiple child processes, so it's recommended to use a debugger that supports automatically attaching to child processes.
7 changes: 2 additions & 5 deletions libs/wingsdk/src/shared/legacy-sandbox.ts
Original file line number Diff line number Diff line change
@@ -1,6 +1,4 @@
import { mkdtemp, readFile } from "node:fs/promises";
import { tmpdir } from "node:os";
import path from "node:path";
import { readFile } from "node:fs/promises";
import * as util from "node:util";
import * as vm from "node:vm";
import { createBundle } from "./bundling";
Expand Down Expand Up @@ -90,8 +88,7 @@ export class LegacySandbox {

private async createBundle() {
// load bundle into context on first run
const workdir = await mkdtemp(path.join(tmpdir(), "wing-bundles-"));
const bundle = createBundle(this.entrypoint, [], workdir);
const bundle = createBundle(this.entrypoint);
this.entrypoint = bundle.entrypointPath;

this.code = await readFile(this.entrypoint, "utf-8");
Expand Down
28 changes: 14 additions & 14 deletions libs/wingsdk/src/shared/sandbox.ts
Original file line number Diff line number Diff line change
@@ -1,8 +1,7 @@
import * as cp from "child_process";
import { writeFileSync } from "fs";
import { mkdtemp, readFile, stat } from "fs/promises";
import { tmpdir } from "os";
import path from "path";
import { readFile, stat } from "fs/promises";
import { url as inspectorUrl } from "inspector";
import { Bundle, createBundle } from "./bundling";
import { processStream } from "./stream-processor";

Expand Down Expand Up @@ -39,9 +38,7 @@ export class Sandbox {
entrypoint: string,
log?: (message: string) => void
): Promise<Bundle> {
const workdir = await mkdtemp(path.join(tmpdir(), "wing-bundles-"));

let contents = (await readFile(entrypoint)).toString();
let contents = await readFile(entrypoint, "utf-8");

// log a warning if contents includes __dirname or __filename
if (contents.includes("__dirname") || contents.includes("__filename")) {
Expand All @@ -52,9 +49,7 @@ export class Sandbox {

// wrap contents with a shim that handles the communication with the parent process
// we insert this shim before bundling to ensure source maps are generated correctly
contents = `
"use strict";
${contents}
contents += `
process.on("message", async (message) => {
const { fn, args } = message;
try {
Expand All @@ -67,7 +62,7 @@ process.on("message", async (message) => {
`;
const wrappedPath = entrypoint.replace(/\.js$/, ".sandbox.js");
writeFileSync(wrappedPath, contents); // async fsPromises.writeFile "flush" option is not available in Node 20
const bundle = createBundle(wrappedPath, [], workdir);
const bundle = createBundle(wrappedPath);

if (process.env.DEBUG) {
const fileStats = await stat(entrypoint);
Expand Down Expand Up @@ -118,14 +113,19 @@ process.on("message", async (message) => {
public async initialize() {
this.debugLog("Initializing sandbox.");
const childEnv = this.options.env ?? {};
if (
process.env.NODE_OPTIONS?.includes("--inspect") ||
process.execArgv.some((a) => a.startsWith("--inspect"))
) {
if (inspectorUrl?.()) {
// We're exposing a debugger, let's attempt to ensure the child process automatically attaches
childEnv.NODE_OPTIONS =
(childEnv.NODE_OPTIONS ?? "") + (process.env.NODE_OPTIONS ?? "");

// If the child process is not already configured to attach a debugger, add a flag to do so
if (
!childEnv.NODE_OPTIONS.includes("--inspect") &&
!process.execArgv.includes("--inspect")
) {
childEnv.NODE_OPTIONS += " --inspect=0";
}

// VSCode's debugger adds some environment variables that we want to pass to the child process
for (const key in process.env) {
if (key.startsWith("VSCODE_")) {
Expand Down
21 changes: 19 additions & 2 deletions libs/wingsdk/test/simulator/simulator.test.ts
Original file line number Diff line number Diff line change
@@ -1,14 +1,13 @@
import * as fs from "fs";
import * as inspector from "inspector";
import { Construct } from "constructs";
import { test, expect, describe } from "vitest";
import {
Api,
Bucket,
Function,
IApiClient,
IBucketClient,
IFunctionClient,
IServiceClient,
OnDeploy,
Service,
} from "../../src/cloud";
Expand Down Expand Up @@ -593,6 +592,24 @@ describe("in-place updates", () => {
"root/OnDeploy started",
]);
});

test("debugging inspector inherited by sandbox", async () => {
const app = new SimApp();
const handler = Testing.makeHandler(
`async handle() { if(require('inspector').url() === undefined) { throw new Error('inspector not available'); } }`
);
new OnDeploy(app, "OnDeploy", handler);

inspector.open(0);
const sim = await app.startSimulator();
await sim.stop();

expect(
sim
.listTraces()
.some((t) => t.data.message.startsWith("Debugger listening on "))
);
});
});

test("tryGetResource returns undefined if the resource not found", async () => {
Expand Down
12 changes: 9 additions & 3 deletions libs/wingsdk/test/util.ts
Original file line number Diff line number Diff line change
Expand Up @@ -130,6 +130,15 @@ export function directorySnapshot(initialRoot: string) {
if (f === "node_modules") {
continue;
}
// skip sandbox entrypoints since they are mostly a duplicate of the original
if (f.endsWith(".sandbox.js")) {
continue;
}
// skip esbuild output
if (f.endsWith(".js.bundle")) {
continue;
}

const relpath = join(subdir, f);
const abspath = join(root, relpath);
const key = prefix + relpath;
Expand All @@ -149,9 +158,6 @@ export function directorySnapshot(initialRoot: string) {
break;

case ".js":
if (f.endsWith(".sandbox.js")) {
continue;
}
const code = readFileSync(abspath, "utf-8");
snapshot[key] = sanitizeCode(code);
break;
Expand Down
Loading