forked from microsoft/vscode-python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdebugLauncher.ts
261 lines (240 loc) · 10.5 KB
/
debugLauncher.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
import { inject, injectable, named } from 'inversify';
import * as path from 'path';
import { DebugConfiguration, l10n, Uri, WorkspaceFolder } from 'vscode';
import { IApplicationShell, IDebugService } from '../../common/application/types';
import { EXTENSION_ROOT_DIR } from '../../common/constants';
import * as internalScripts from '../../common/process/internal/scripts';
import { IConfigurationService, IPythonSettings } from '../../common/types';
import { DebuggerTypeName, PythonDebuggerTypeName } from '../../debugger/constants';
import { IDebugConfigurationResolver } from '../../debugger/extension/configuration/types';
import { DebugPurpose, LaunchRequestArguments } from '../../debugger/types';
import { IServiceContainer } from '../../ioc/types';
import { traceError } from '../../logging';
import { TestProvider } from '../types';
import { ITestDebugLauncher, LaunchOptions } from './types';
import { getConfigurationsForWorkspace } from '../../debugger/extension/configuration/launch.json/launchJsonReader';
import { getWorkspaceFolder, getWorkspaceFolders } from '../../common/vscodeApis/workspaceApis';
import { showErrorMessage } from '../../common/vscodeApis/windowApis';
import { createDeferred } from '../../common/utils/async';
import { pythonTestAdapterRewriteEnabled } from '../testController/common/utils';
import { addPathToPythonpath } from './helpers';
@injectable()
export class DebugLauncher implements ITestDebugLauncher {
private readonly configService: IConfigurationService;
constructor(
@inject(IServiceContainer) private serviceContainer: IServiceContainer,
@inject(IDebugConfigurationResolver)
@named('launch')
private readonly launchResolver: IDebugConfigurationResolver<LaunchRequestArguments>,
) {
this.configService = this.serviceContainer.get<IConfigurationService>(IConfigurationService);
}
public async launchDebugger(options: LaunchOptions, callback?: () => void): Promise<void> {
const deferred = createDeferred<void>();
if (options.token && options.token.isCancellationRequested) {
return undefined;
deferred.resolve();
callback?.();
}
const workspaceFolder = DebugLauncher.resolveWorkspaceFolder(options.cwd);
const launchArgs = await this.getLaunchArgs(
options,
workspaceFolder,
this.configService.getSettings(workspaceFolder.uri),
);
const debugManager = this.serviceContainer.get<IDebugService>(IDebugService);
debugManager.onDidTerminateDebugSession(() => {
deferred.resolve();
callback?.();
});
debugManager.startDebugging(workspaceFolder, launchArgs);
return deferred.promise;
}
private static resolveWorkspaceFolder(cwd: string): WorkspaceFolder {
const hasWorkspaceFolders = (getWorkspaceFolders()?.length || 0) > 0;
if (!hasWorkspaceFolders) {
throw new Error('Please open a workspace');
}
const cwdUri = cwd ? Uri.file(cwd) : undefined;
let workspaceFolder = getWorkspaceFolder(cwdUri);
if (!workspaceFolder) {
const [first] = getWorkspaceFolders()!;
workspaceFolder = first;
}
return workspaceFolder;
}
private async getLaunchArgs(
options: LaunchOptions,
workspaceFolder: WorkspaceFolder,
configSettings: IPythonSettings,
): Promise<LaunchRequestArguments> {
let debugConfig = await DebugLauncher.readDebugConfig(workspaceFolder);
if (!debugConfig) {
debugConfig = {
name: 'Debug Unit Test',
type: 'debugpy',
request: 'test',
subProcess: true,
};
}
if (!debugConfig.rules) {
debugConfig.rules = [];
}
debugConfig.rules.push({
path: path.join(EXTENSION_ROOT_DIR, 'python_files'),
include: false,
});
DebugLauncher.applyDefaults(debugConfig!, workspaceFolder, configSettings);
return this.convertConfigToArgs(debugConfig!, workspaceFolder, options);
}
public async readAllDebugConfigs(workspace: WorkspaceFolder): Promise<DebugConfiguration[]> {
try {
const configs = await getConfigurationsForWorkspace(workspace);
return configs;
} catch (exc) {
traceError('could not get debug config', exc);
const appShell = this.serviceContainer.get<IApplicationShell>(IApplicationShell);
await appShell.showErrorMessage(
l10n.t('Could not load unit test config from launch.json as it is missing a field'),
);
return [];
}
}
private static async readDebugConfig(
workspaceFolder: WorkspaceFolder,
): Promise<LaunchRequestArguments | undefined> {
try {
const configs = await getConfigurationsForWorkspace(workspaceFolder);
for (const cfg of configs) {
if (
cfg.name &&
(cfg.type === DebuggerTypeName || cfg.type === PythonDebuggerTypeName) &&
(cfg.request === 'test' ||
(cfg as LaunchRequestArguments).purpose?.includes(DebugPurpose.DebugTest))
) {
// Return the first one.
return cfg as LaunchRequestArguments;
}
}
return undefined;
} catch (exc) {
traceError('could not get debug config', exc);
await showErrorMessage(l10n.t('Could not load unit test config from launch.json as it is missing a field'));
return undefined;
}
}
private static applyDefaults(
cfg: LaunchRequestArguments,
workspaceFolder: WorkspaceFolder,
configSettings: IPythonSettings,
) {
// cfg.pythonPath is handled by LaunchConfigurationResolver.
if (!cfg.console) {
cfg.console = 'internalConsole';
}
if (!cfg.cwd) {
cfg.cwd = configSettings.testing.cwd || workspaceFolder.uri.fsPath;
}
if (!cfg.env) {
cfg.env = {};
}
if (!cfg.envFile) {
cfg.envFile = configSettings.envFile;
}
if (cfg.stopOnEntry === undefined) {
cfg.stopOnEntry = false;
}
cfg.showReturnValue = cfg.showReturnValue !== false;
if (cfg.redirectOutput === undefined) {
cfg.redirectOutput = true;
}
if (cfg.debugStdLib === undefined) {
cfg.debugStdLib = false;
}
if (cfg.subProcess === undefined) {
cfg.subProcess = true;
}
}
private async convertConfigToArgs(
debugConfig: LaunchRequestArguments,
workspaceFolder: WorkspaceFolder,
options: LaunchOptions,
): Promise<LaunchRequestArguments> {
const pythonTestAdapterRewriteExperiment = pythonTestAdapterRewriteEnabled(this.serviceContainer);
const configArgs = debugConfig as LaunchRequestArguments;
const testArgs =
options.testProvider === 'unittest' ? options.args.filter((item) => item !== '--debug') : options.args;
const script = DebugLauncher.getTestLauncherScript(options.testProvider, pythonTestAdapterRewriteExperiment);
const args = script(testArgs);
const [program] = args;
configArgs.program = program;
configArgs.args = args.slice(1);
// We leave configArgs.request as "test" so it will be sent in telemetry.
let launchArgs = await this.launchResolver.resolveDebugConfiguration(
workspaceFolder,
configArgs,
options.token,
);
if (!launchArgs) {
throw Error(`Invalid debug config "${debugConfig.name}"`);
}
launchArgs = await this.launchResolver.resolveDebugConfigurationWithSubstitutedVariables(
workspaceFolder,
launchArgs,
options.token,
);
if (!launchArgs) {
throw Error(`Invalid debug config "${debugConfig.name}"`);
}
launchArgs.request = 'launch';
if (pythonTestAdapterRewriteExperiment) {
if (options.pytestPort && options.runTestIdsPort) {
launchArgs.env = {
...launchArgs.env,
TEST_RUN_PIPE: options.pytestPort,
RUN_TEST_IDS_PIPE: options.runTestIdsPort,
};
} else {
throw Error(
`Missing value for debug setup, both port and uuid need to be defined. port: "${options.pytestPort}" uuid: "${options.pytestUUID}"`,
);
}
}
const pluginPath = path.join(EXTENSION_ROOT_DIR, 'python_files');
// check if PYTHONPATH is already set in the environment variables
if (launchArgs.env) {
const additionalPythonPath = [pluginPath];
if (launchArgs.cwd) {
additionalPythonPath.push(launchArgs.cwd);
} else if (options.cwd) {
additionalPythonPath.push(options.cwd);
}
// add the plugin path or cwd to PYTHONPATH if it is not already there using the following function
// this function will handle if PYTHONPATH is undefined
addPathToPythonpath(additionalPythonPath, launchArgs.env.PYTHONPATH);
}
// Clear out purpose so we can detect if the configuration was used to
// run via F5 style debugging.
launchArgs.purpose = [];
return launchArgs;
}
private static getTestLauncherScript(testProvider: TestProvider, pythonTestAdapterRewriteExperiment?: boolean) {
switch (testProvider) {
case 'unittest': {
if (pythonTestAdapterRewriteExperiment) {
return internalScripts.execution_py_testlauncher; // this is the new way to run unittest execution, debugger
}
return internalScripts.visualstudio_py_testlauncher; // old way unittest execution, debugger
}
case 'pytest': {
if (pythonTestAdapterRewriteExperiment) {
return internalScripts.pytestlauncher; // this is the new way to run pytest execution, debugger
}
return internalScripts.testlauncher; // old way pytest execution, debugger
}
default: {
throw new Error(`Unknown test provider '${testProvider}'`);
}
}
}
}