-
Notifications
You must be signed in to change notification settings - Fork 30.4k
/
Copy pathterminalService.ts
1282 lines (1138 loc) · 57.8 KB
/
terminalService.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
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/*---------------------------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Licensed under the MIT License. See License.txt in the project root for license information.
*--------------------------------------------------------------------------------------------*/
import * as dom from 'vs/base/browser/dom';
import { DeferredPromise, timeout } from 'vs/base/common/async';
import { debounce, memoize } from 'vs/base/common/decorators';
import { DynamicListEventMultiplexer, Emitter, Event, IDynamicListEventMultiplexer } from 'vs/base/common/event';
import { Disposable, dispose, IDisposable, toDisposable } from 'vs/base/common/lifecycle';
import { Schemas } from 'vs/base/common/network';
import { isMacintosh, isWeb } from 'vs/base/common/platform';
import { URI } from 'vs/base/common/uri';
import { IKeyMods } from 'vs/platform/quickinput/common/quickInput';
import * as nls from 'vs/nls';
import { ICommandService } from 'vs/platform/commands/common/commands';
import { IConfigurationService } from 'vs/platform/configuration/common/configuration';
import { IContextKey, IContextKeyService } from 'vs/platform/contextkey/common/contextkey';
import { IDialogService } from 'vs/platform/dialogs/common/dialogs';
import { IInstantiationService } from 'vs/platform/instantiation/common/instantiation';
import { INotificationService } from 'vs/platform/notification/common/notification';
import { ICreateContributedTerminalProfileOptions, IExtensionTerminalProfile, IPtyHostAttachTarget, IRawTerminalInstanceLayoutInfo, IRawTerminalTabLayoutInfo, IShellLaunchConfig, ITerminalBackend, ITerminalLaunchError, ITerminalLogService, ITerminalsLayoutInfo, ITerminalsLayoutInfoById, TerminalExitReason, TerminalLocation, TerminalLocationString, TitleEventSource } from 'vs/platform/terminal/common/terminal';
import { formatMessageForTerminal } from 'vs/platform/terminal/common/terminalStrings';
import { iconForeground } from 'vs/platform/theme/common/colorRegistry';
import { getIconRegistry } from 'vs/platform/theme/common/iconRegistry';
import { ColorScheme } from 'vs/platform/theme/common/theme';
import { IThemeService, Themable } from 'vs/platform/theme/common/themeService';
import { ThemeIcon } from 'vs/base/common/themables';
import { IWorkspaceContextService } from 'vs/platform/workspace/common/workspace';
import { VirtualWorkspaceContext } from 'vs/workbench/common/contextkeys';
import { IEditableData } from 'vs/workbench/common/views';
import { IViewsService } from 'vs/workbench/services/views/common/viewsService';
import { ICreateTerminalOptions, IDetachedTerminalInstance, IDetachedXTermOptions, IRequestAddInstanceToGroupEvent, ITerminalConfigurationService, ITerminalEditorService, ITerminalGroup, ITerminalGroupService, ITerminalInstance, ITerminalInstanceHost, ITerminalInstanceService, ITerminalLocationOptions, ITerminalService, ITerminalServiceNativeDelegate, TerminalConnectionState, TerminalEditorLocation } from 'vs/workbench/contrib/terminal/browser/terminal';
import { getCwdForSplit } from 'vs/workbench/contrib/terminal/browser/terminalActions';
import { TerminalEditorInput } from 'vs/workbench/contrib/terminal/browser/terminalEditorInput';
import { getColorStyleContent, getUriClasses } from 'vs/workbench/contrib/terminal/browser/terminalIcon';
import { TerminalProfileQuickpick } from 'vs/workbench/contrib/terminal/browser/terminalProfileQuickpick';
import { getInstanceFromResource, getTerminalUri, parseTerminalUri } from 'vs/workbench/contrib/terminal/browser/terminalUri';
import { TerminalViewPane } from 'vs/workbench/contrib/terminal/browser/terminalView';
import { IRemoteTerminalAttachTarget, IStartExtensionTerminalRequest, ITerminalProcessExtHostProxy, ITerminalProfileService, TERMINAL_VIEW_ID } from 'vs/workbench/contrib/terminal/common/terminal';
import { TerminalContextKeys } from 'vs/workbench/contrib/terminal/common/terminalContextKey';
import { columnToEditorGroup } from 'vs/workbench/services/editor/common/editorGroupColumn';
import { IEditorGroupsService } from 'vs/workbench/services/editor/common/editorGroupsService';
import { ACTIVE_GROUP_TYPE, AUX_WINDOW_GROUP, AUX_WINDOW_GROUP_TYPE, IEditorService, SIDE_GROUP, SIDE_GROUP_TYPE } from 'vs/workbench/services/editor/common/editorService';
import { IWorkbenchEnvironmentService } from 'vs/workbench/services/environment/common/environmentService';
import { IExtensionService } from 'vs/workbench/services/extensions/common/extensions';
import { ILifecycleService, ShutdownReason, StartupKind, WillShutdownEvent } from 'vs/workbench/services/lifecycle/common/lifecycle';
import { IRemoteAgentService } from 'vs/workbench/services/remote/common/remoteAgentService';
import { XtermTerminal } from 'vs/workbench/contrib/terminal/browser/xterm/xtermTerminal';
import { TerminalInstance } from 'vs/workbench/contrib/terminal/browser/terminalInstance';
import { IKeybindingService } from 'vs/platform/keybinding/common/keybinding';
import { TerminalCapabilityStore } from 'vs/platform/terminal/common/capabilities/terminalCapabilityStore';
import { ITimerService } from 'vs/workbench/services/timer/browser/timerService';
import { mark } from 'vs/base/common/performance';
import { DetachedTerminal } from 'vs/workbench/contrib/terminal/browser/detachedTerminal';
import { ITerminalCapabilityImplMap, TerminalCapability } from 'vs/platform/terminal/common/capabilities/capabilities';
import { createInstanceCapabilityEventMultiplexer } from 'vs/workbench/contrib/terminal/browser/terminalEvents';
import { mainWindow } from 'vs/base/browser/window';
import { GroupIdentifier } from 'vs/workbench/common/editor';
export class TerminalService extends Disposable implements ITerminalService {
declare _serviceBrand: undefined;
private _hostActiveTerminals: Map<ITerminalInstanceHost, ITerminalInstance | undefined> = new Map();
private _detachedXterms = new Set<IDetachedTerminalInstance>();
private _terminalEditorActive: IContextKey<boolean>;
private readonly _terminalShellTypeContextKey: IContextKey<string>;
private _isShuttingDown: boolean = false;
private _backgroundedTerminalInstances: ITerminalInstance[] = [];
private _backgroundedTerminalDisposables: Map<number, IDisposable[]> = new Map();
private _processSupportContextKey: IContextKey<boolean>;
private _primaryBackend?: ITerminalBackend;
private _terminalHasBeenCreated: IContextKey<boolean>;
private _terminalCountContextKey: IContextKey<number>;
private _nativeDelegate?: ITerminalServiceNativeDelegate;
private _shutdownWindowCount?: number;
private _editable: { instance: ITerminalInstance; data: IEditableData } | undefined;
get isProcessSupportRegistered(): boolean { return !!this._processSupportContextKey.get(); }
private _connectionState: TerminalConnectionState = TerminalConnectionState.Connecting;
get connectionState(): TerminalConnectionState { return this._connectionState; }
private readonly _whenConnected = new DeferredPromise<void>();
get whenConnected(): Promise<void> { return this._whenConnected.p; }
private _restoredGroupCount: number = 0;
get restoredGroupCount(): number { return this._restoredGroupCount; }
get instances(): ITerminalInstance[] {
return this._terminalGroupService.instances.concat(this._terminalEditorService.instances);
}
get detachedInstances(): Iterable<IDetachedTerminalInstance> {
return this._detachedXterms;
}
private _reconnectedTerminalGroups: Promise<ITerminalGroup[]> | undefined;
private _reconnectedTerminals: Map<string, ITerminalInstance[]> = new Map();
getReconnectedTerminals(reconnectionOwner: string): ITerminalInstance[] | undefined {
return this._reconnectedTerminals.get(reconnectionOwner);
}
get defaultLocation(): TerminalLocation { return this._terminalConfigurationService.config.defaultLocation === TerminalLocationString.Editor ? TerminalLocation.Editor : TerminalLocation.Panel; }
private _activeInstance: ITerminalInstance | undefined;
get activeInstance(): ITerminalInstance | undefined {
// Check if either an editor or panel terminal has focus and return that, regardless of the
// value of _activeInstance. This avoids terminals created in the panel for example stealing
// the active status even when it's not focused.
for (const activeHostTerminal of this._hostActiveTerminals.values()) {
if (activeHostTerminal?.hasFocus) {
return activeHostTerminal;
}
}
// Fallback to the last recorded active terminal if neither have focus
return this._activeInstance;
}
private _editingTerminal: ITerminalInstance | undefined;
private readonly _onDidCreateInstance = this._register(new Emitter<ITerminalInstance>());
get onDidCreateInstance(): Event<ITerminalInstance> { return this._onDidCreateInstance.event; }
private readonly _onDidChangeInstanceDimensions = this._register(new Emitter<ITerminalInstance>());
get onDidChangeInstanceDimensions(): Event<ITerminalInstance> { return this._onDidChangeInstanceDimensions.event; }
private readonly _onDidRegisterProcessSupport = this._register(new Emitter<void>());
get onDidRegisterProcessSupport(): Event<void> { return this._onDidRegisterProcessSupport.event; }
private readonly _onDidChangeConnectionState = this._register(new Emitter<void>());
get onDidChangeConnectionState(): Event<void> { return this._onDidChangeConnectionState.event; }
private readonly _onDidRequestStartExtensionTerminal = this._register(new Emitter<IStartExtensionTerminalRequest>());
get onDidRequestStartExtensionTerminal(): Event<IStartExtensionTerminalRequest> { return this._onDidRequestStartExtensionTerminal.event; }
// ITerminalInstanceHost events
private readonly _onDidDisposeInstance = this._register(new Emitter<ITerminalInstance>());
get onDidDisposeInstance(): Event<ITerminalInstance> { return this._onDidDisposeInstance.event; }
private readonly _onDidFocusInstance = this._register(new Emitter<ITerminalInstance>());
get onDidFocusInstance(): Event<ITerminalInstance> { return this._onDidFocusInstance.event; }
private readonly _onDidChangeActiveInstance = this._register(new Emitter<ITerminalInstance | undefined>());
get onDidChangeActiveInstance(): Event<ITerminalInstance | undefined> { return this._onDidChangeActiveInstance.event; }
private readonly _onDidChangeInstances = this._register(new Emitter<void>());
get onDidChangeInstances(): Event<void> { return this._onDidChangeInstances.event; }
private readonly _onDidChangeInstanceCapability = this._register(new Emitter<ITerminalInstance>());
get onDidChangeInstanceCapability(): Event<ITerminalInstance> { return this._onDidChangeInstanceCapability.event; }
// Terminal view events
private readonly _onDidChangeActiveGroup = this._register(new Emitter<ITerminalGroup | undefined>());
get onDidChangeActiveGroup(): Event<ITerminalGroup | undefined> { return this._onDidChangeActiveGroup.event; }
// Lazily initialized events that fire when the specified event fires on _any_ terminal
// TODO: Batch events
@memoize get onAnyInstanceData() { return this._register(this.createOnInstanceEvent(instance => Event.map(instance.onData, data => ({ instance, data })))).event; }
@memoize get onAnyInstanceDataInput() { return this._register(this.createOnInstanceEvent(e => e.onDidInputData)).event; }
@memoize get onAnyInstanceIconChange() { return this._register(this.createOnInstanceEvent(e => e.onIconChanged)).event; }
@memoize get onAnyInstanceMaximumDimensionsChange() { return this._register(this.createOnInstanceEvent(e => Event.map(e.onMaximumDimensionsChanged, () => e, e.store))).event; }
@memoize get onAnyInstancePrimaryStatusChange() { return this._register(this.createOnInstanceEvent(e => Event.map(e.statusList.onDidChangePrimaryStatus, () => e, e.store))).event; }
@memoize get onAnyInstanceProcessIdReady() { return this._register(this.createOnInstanceEvent(e => e.onProcessIdReady)).event; }
@memoize get onAnyInstanceSelectionChange() { return this._register(this.createOnInstanceEvent(e => e.onDidChangeSelection)).event; }
@memoize get onAnyInstanceTitleChange() { return this._register(this.createOnInstanceEvent(e => e.onTitleChanged)).event; }
constructor(
@IContextKeyService private _contextKeyService: IContextKeyService,
@ILifecycleService private readonly _lifecycleService: ILifecycleService,
@ITerminalLogService private readonly _logService: ITerminalLogService,
@IDialogService private _dialogService: IDialogService,
@IInstantiationService private _instantiationService: IInstantiationService,
@IRemoteAgentService private _remoteAgentService: IRemoteAgentService,
@IViewsService private _viewsService: IViewsService,
@IConfigurationService private readonly _configurationService: IConfigurationService,
@ITerminalConfigurationService private readonly _terminalConfigService: ITerminalConfigurationService,
@IWorkbenchEnvironmentService private readonly _environmentService: IWorkbenchEnvironmentService,
@ITerminalConfigurationService private readonly _terminalConfigurationService: ITerminalConfigurationService,
@ITerminalEditorService private readonly _terminalEditorService: ITerminalEditorService,
@ITerminalGroupService private readonly _terminalGroupService: ITerminalGroupService,
@ITerminalInstanceService private readonly _terminalInstanceService: ITerminalInstanceService,
@IEditorGroupsService private readonly _editorGroupsService: IEditorGroupsService,
@ITerminalProfileService private readonly _terminalProfileService: ITerminalProfileService,
@IExtensionService private readonly _extensionService: IExtensionService,
@INotificationService private readonly _notificationService: INotificationService,
@IWorkspaceContextService private readonly _workspaceContextService: IWorkspaceContextService,
@ICommandService private readonly _commandService: ICommandService,
@IKeybindingService private readonly _keybindingService: IKeybindingService,
@ITimerService private readonly _timerService: ITimerService
) {
super();
// the below avoids having to poll routinely.
// we update detected profiles when an instance is created so that,
// for example, we detect if you've installed a pwsh
this._register(this.onDidCreateInstance(() => this._terminalProfileService.refreshAvailableProfiles()));
this._forwardInstanceHostEvents(this._terminalGroupService);
this._forwardInstanceHostEvents(this._terminalEditorService);
this._register(this._terminalGroupService.onDidChangeActiveGroup(this._onDidChangeActiveGroup.fire, this._onDidChangeActiveGroup));
this._register(this._terminalInstanceService.onDidCreateInstance(instance => {
this._initInstanceListeners(instance);
this._onDidCreateInstance.fire(instance);
}));
// Hide the panel if there are no more instances, provided that VS Code is not shutting
// down. When shutting down the panel is locked in place so that it is restored upon next
// launch.
this._register(this._terminalGroupService.onDidChangeActiveInstance(instance => {
if (!instance && !this._isShuttingDown) {
this._terminalGroupService.hidePanel();
}
if (instance?.shellType) {
this._terminalShellTypeContextKey.set(instance.shellType.toString());
} else if (!instance) {
this._terminalShellTypeContextKey.reset();
}
}));
this._handleInstanceContextKeys();
this._terminalShellTypeContextKey = TerminalContextKeys.shellType.bindTo(this._contextKeyService);
this._processSupportContextKey = TerminalContextKeys.processSupported.bindTo(this._contextKeyService);
this._processSupportContextKey.set(!isWeb || this._remoteAgentService.getConnection() !== null);
this._terminalHasBeenCreated = TerminalContextKeys.terminalHasBeenCreated.bindTo(this._contextKeyService);
this._terminalCountContextKey = TerminalContextKeys.count.bindTo(this._contextKeyService);
this._terminalEditorActive = TerminalContextKeys.terminalEditorActive.bindTo(this._contextKeyService);
this._register(this.onDidChangeActiveInstance(instance => {
this._terminalEditorActive.set(!!instance?.target && instance.target === TerminalLocation.Editor);
}));
this._register(_lifecycleService.onBeforeShutdown(async e => e.veto(this._onBeforeShutdown(e.reason), 'veto.terminal')));
this._register(_lifecycleService.onWillShutdown(e => this._onWillShutdown(e)));
this._initializePrimaryBackend();
// Create async as the class depends on `this`
timeout(0).then(() => this._register(this._instantiationService.createInstance(TerminalEditorStyle, mainWindow.document.head)));
}
async showProfileQuickPick(type: 'setDefault' | 'createInstance', cwd?: string | URI): Promise<ITerminalInstance | undefined> {
const quickPick = this._instantiationService.createInstance(TerminalProfileQuickpick);
const result = await quickPick.showAndGetResult(type);
if (!result) {
return;
}
if (typeof result === 'string') {
return;
}
const keyMods: IKeyMods | undefined = result.keyMods;
if (type === 'createInstance') {
const activeInstance = this.getDefaultInstanceHost().activeInstance;
let instance;
if (result.config && 'id' in result?.config) {
await this.createContributedTerminalProfile(result.config.extensionIdentifier, result.config.id, {
icon: result.config.options?.icon,
color: result.config.options?.color,
location: !!(keyMods?.alt && activeInstance) ? { splitActiveTerminal: true } : this.defaultLocation
});
return;
} else if (result.config && 'profileName' in result.config) {
if (keyMods?.alt && activeInstance) {
// create split, only valid if there's an active instance
instance = await this.createTerminal({ location: { parentTerminal: activeInstance }, config: result.config, cwd });
} else {
instance = await this.createTerminal({ location: this.defaultLocation, config: result.config, cwd });
}
}
if (instance && this.defaultLocation !== TerminalLocation.Editor) {
this._terminalGroupService.showPanel(true);
this.setActiveInstance(instance);
return instance;
}
}
return undefined;
}
private async _initializePrimaryBackend() {
mark('code/terminal/willGetTerminalBackend');
this._primaryBackend = await this._terminalInstanceService.getBackend(this._environmentService.remoteAuthority);
mark('code/terminal/didGetTerminalBackend');
const enableTerminalReconnection = this._terminalConfigurationService.config.enablePersistentSessions;
// Connect to the extension host if it's there, set the connection state to connected when
// it's done. This should happen even when there is no extension host.
this._connectionState = TerminalConnectionState.Connecting;
const isPersistentRemote = !!this._environmentService.remoteAuthority && enableTerminalReconnection;
this._primaryBackend?.onDidRequestDetach(async (e) => {
const instanceToDetach = this.getInstanceFromResource(getTerminalUri(e.workspaceId, e.instanceId));
if (instanceToDetach) {
const persistentProcessId = instanceToDetach?.persistentProcessId;
if (persistentProcessId && !instanceToDetach.shellLaunchConfig.isFeatureTerminal && !instanceToDetach.shellLaunchConfig.customPtyImplementation) {
if (instanceToDetach.target === TerminalLocation.Editor) {
this._terminalEditorService.detachInstance(instanceToDetach);
} else {
this._terminalGroupService.getGroupForInstance(instanceToDetach)?.removeInstance(instanceToDetach);
}
await instanceToDetach.detachProcessAndDispose(TerminalExitReason.User);
await this._primaryBackend?.acceptDetachInstanceReply(e.requestId, persistentProcessId);
} else {
// will get rejected without a persistentProcessId to attach to
await this._primaryBackend?.acceptDetachInstanceReply(e.requestId, undefined);
}
}
});
mark('code/terminal/willReconnect');
let reconnectedPromise: Promise<any>;
if (isPersistentRemote) {
reconnectedPromise = this._reconnectToRemoteTerminals();
} else if (enableTerminalReconnection) {
reconnectedPromise = this._reconnectToLocalTerminals();
} else {
reconnectedPromise = Promise.resolve();
}
reconnectedPromise.then(async () => {
this._setConnected();
mark('code/terminal/didReconnect');
mark('code/terminal/willReplay');
const instances = await this._reconnectedTerminalGroups?.then(groups => groups.map(e => e.terminalInstances).flat()) ?? [];
await Promise.all(instances.map(e => new Promise<void>(r => Event.once(e.onProcessReplayComplete)(r))));
mark('code/terminal/didReplay');
mark('code/terminal/willGetPerformanceMarks');
await Promise.all(Array.from(this._terminalInstanceService.getRegisteredBackends()).map(async backend => {
this._timerService.setPerformanceMarks(backend.remoteAuthority === undefined ? 'localPtyHost' : 'remotePtyHost', await backend.getPerformanceMarks());
backend.setReady();
}));
mark('code/terminal/didGetPerformanceMarks');
this._whenConnected.complete();
});
}
getPrimaryBackend(): ITerminalBackend | undefined {
return this._primaryBackend;
}
private _forwardInstanceHostEvents(host: ITerminalInstanceHost) {
host.onDidChangeInstances(this._onDidChangeInstances.fire, this._onDidChangeInstances);
host.onDidDisposeInstance(this._onDidDisposeInstance.fire, this._onDidDisposeInstance);
host.onDidChangeActiveInstance(instance => this._evaluateActiveInstance(host, instance));
host.onDidFocusInstance(instance => {
this._onDidFocusInstance.fire(instance);
this._evaluateActiveInstance(host, instance);
});
host.onDidChangeInstanceCapability((instance) => {
this._onDidChangeInstanceCapability.fire(instance);
});
this._hostActiveTerminals.set(host, undefined);
}
private _evaluateActiveInstance(host: ITerminalInstanceHost, instance: ITerminalInstance | undefined) {
// Track the latest active terminal for each host so that when one becomes undefined, the
// TerminalService's active terminal is set to the last active terminal from the other host.
// This means if the last terminal editor is closed such that it becomes undefined, the last
// active group's terminal will be used as the active terminal if available.
this._hostActiveTerminals.set(host, instance);
if (instance === undefined) {
for (const active of this._hostActiveTerminals.values()) {
if (active) {
instance = active;
}
}
}
this._activeInstance = instance;
this._onDidChangeActiveInstance.fire(instance);
}
setActiveInstance(value: ITerminalInstance) {
// If this was a hideFromUser terminal created by the API this was triggered by show,
// in which case we need to create the terminal group
if (value.shellLaunchConfig.hideFromUser) {
this._showBackgroundTerminal(value);
}
if (value.target === TerminalLocation.Editor) {
this._terminalEditorService.setActiveInstance(value);
} else {
this._terminalGroupService.setActiveInstance(value);
}
}
async focusActiveInstance(): Promise<void> {
if (!this._activeInstance) {
return;
}
if (this._activeInstance.target === TerminalLocation.Editor) {
return this._terminalEditorService.focusActiveInstance();
}
return this._terminalGroupService.focusActiveInstance();
}
async createContributedTerminalProfile(extensionIdentifier: string, id: string, options: ICreateContributedTerminalProfileOptions): Promise<void> {
await this._extensionService.activateByEvent(`onTerminalProfile:${id}`);
const profileProvider = this._terminalProfileService.getContributedProfileProvider(extensionIdentifier, id);
if (!profileProvider) {
this._notificationService.error(`No terminal profile provider registered for id "${id}"`);
return;
}
try {
await profileProvider.createContributedTerminalProfile(options);
this._terminalGroupService.setActiveInstanceByIndex(this._terminalGroupService.instances.length - 1);
await this._terminalGroupService.activeInstance?.focusWhenReady();
} catch (e) {
this._notificationService.error(e.message);
}
}
async safeDisposeTerminal(instance: ITerminalInstance): Promise<void> {
// Confirm on kill in the editor is handled by the editor input
if (instance.target !== TerminalLocation.Editor &&
instance.hasChildProcesses &&
(this._terminalConfigurationService.config.confirmOnKill === 'panel' || this._terminalConfigurationService.config.confirmOnKill === 'always')) {
const veto = await this._showTerminalCloseConfirmation(true);
if (veto) {
return;
}
}
return new Promise<void>(r => {
Event.once(instance.onExit)(() => r());
instance.dispose(TerminalExitReason.User);
});
}
private _setConnected() {
this._connectionState = TerminalConnectionState.Connected;
this._onDidChangeConnectionState.fire();
this._logService.trace('Pty host ready');
}
private async _reconnectToRemoteTerminals(): Promise<void> {
const remoteAuthority = this._environmentService.remoteAuthority;
if (!remoteAuthority) {
return;
}
const backend = await this._terminalInstanceService.getBackend(remoteAuthority);
if (!backend) {
return;
}
mark('code/terminal/willGetTerminalLayoutInfo');
const layoutInfo = await backend.getTerminalLayoutInfo();
mark('code/terminal/didGetTerminalLayoutInfo');
backend.reduceConnectionGraceTime();
mark('code/terminal/willRecreateTerminalGroups');
await this._recreateTerminalGroups(layoutInfo);
mark('code/terminal/didRecreateTerminalGroups');
// now that terminals have been restored,
// attach listeners to update remote when terminals are changed
this._attachProcessLayoutListeners();
this._logService.trace('Reconnected to remote terminals');
}
private async _reconnectToLocalTerminals(): Promise<void> {
const localBackend = await this._terminalInstanceService.getBackend();
if (!localBackend) {
return;
}
mark('code/terminal/willGetTerminalLayoutInfo');
const layoutInfo = await localBackend.getTerminalLayoutInfo();
mark('code/terminal/didGetTerminalLayoutInfo');
if (layoutInfo && layoutInfo.tabs.length > 0) {
mark('code/terminal/willRecreateTerminalGroups');
this._reconnectedTerminalGroups = this._recreateTerminalGroups(layoutInfo);
mark('code/terminal/didRecreateTerminalGroups');
}
// now that terminals have been restored,
// attach listeners to update local state when terminals are changed
this._attachProcessLayoutListeners();
this._logService.trace('Reconnected to local terminals');
}
private _recreateTerminalGroups(layoutInfo?: ITerminalsLayoutInfo): Promise<ITerminalGroup[]> {
const groupPromises: Promise<ITerminalGroup | undefined>[] = [];
let activeGroup: Promise<ITerminalGroup | undefined> | undefined;
if (layoutInfo) {
for (const tabLayout of layoutInfo.tabs) {
const terminalLayouts = tabLayout.terminals.filter(t => t.terminal && t.terminal.isOrphan);
if (terminalLayouts.length) {
this._restoredGroupCount += terminalLayouts.length;
const promise = this._recreateTerminalGroup(tabLayout, terminalLayouts);
groupPromises.push(promise);
if (tabLayout.isActive) {
activeGroup = promise;
}
const activeInstance = this.instances.find(t => t.shellLaunchConfig.attachPersistentProcess?.id === tabLayout.activePersistentProcessId);
if (activeInstance) {
this.setActiveInstance(activeInstance);
}
}
}
if (layoutInfo.tabs.length) {
activeGroup?.then(group => this._terminalGroupService.activeGroup = group);
}
}
return Promise.all(groupPromises).then(result => result.filter(e => !!e) as ITerminalGroup[]);
}
private async _recreateTerminalGroup(tabLayout: IRawTerminalTabLayoutInfo<IPtyHostAttachTarget | null>, terminalLayouts: IRawTerminalInstanceLayoutInfo<IPtyHostAttachTarget | null>[]): Promise<ITerminalGroup | undefined> {
let lastInstance: Promise<ITerminalInstance> | undefined;
for (const terminalLayout of terminalLayouts) {
const attachPersistentProcess = terminalLayout.terminal!;
if (this._lifecycleService.startupKind !== StartupKind.ReloadedWindow && attachPersistentProcess.type === 'Task') {
continue;
}
mark(`code/terminal/willRecreateTerminal/${attachPersistentProcess.id}-${attachPersistentProcess.pid}`);
lastInstance = this.createTerminal({
config: { attachPersistentProcess },
location: lastInstance ? { parentTerminal: lastInstance } : TerminalLocation.Panel
});
lastInstance.then(() => mark(`code/terminal/didRecreateTerminal/${attachPersistentProcess.id}-${attachPersistentProcess.pid}`));
}
const group = lastInstance?.then(instance => {
const g = this._terminalGroupService.getGroupForInstance(instance);
g?.resizePanes(tabLayout.terminals.map(terminal => terminal.relativeSize));
return g;
});
return group;
}
private _attachProcessLayoutListeners(): void {
this._register(this.onDidChangeActiveGroup(() => this._saveState()));
this._register(this.onDidChangeActiveInstance(() => this._saveState()));
this._register(this.onDidChangeInstances(() => this._saveState()));
// The state must be updated when the terminal is relaunched, otherwise the persistent
// terminal ID will be stale and the process will be leaked.
this._register(this.onAnyInstanceProcessIdReady(() => this._saveState()));
this._register(this.onAnyInstanceTitleChange(instance => this._updateTitle(instance)));
this._register(this.onAnyInstanceIconChange(e => this._updateIcon(e.instance, e.userInitiated)));
}
private _handleInstanceContextKeys(): void {
const terminalIsOpenContext = TerminalContextKeys.isOpen.bindTo(this._contextKeyService);
const updateTerminalContextKeys = () => {
terminalIsOpenContext.set(this.instances.length > 0);
this._terminalCountContextKey.set(this.instances.length);
};
this._register(this.onDidChangeInstances(() => updateTerminalContextKeys()));
}
async getActiveOrCreateInstance(options?: { acceptsInput?: boolean }): Promise<ITerminalInstance> {
const activeInstance = this.activeInstance;
// No instance, create
if (!activeInstance) {
return this.createTerminal();
}
// Active instance, ensure accepts input
if (!options?.acceptsInput || activeInstance.xterm?.isStdinDisabled !== true) {
return activeInstance;
}
// Active instance doesn't accept input, create and focus
const instance = await this.createTerminal();
this.setActiveInstance(instance);
await this.revealActiveTerminal();
return instance;
}
async revealActiveTerminal(preserveFocus?: boolean): Promise<void> {
const instance = this.activeInstance;
if (!instance) {
return;
}
if (instance.target === TerminalLocation.Editor) {
await this._terminalEditorService.revealActiveEditor(preserveFocus);
} else {
await this._terminalGroupService.showPanel();
}
}
setEditable(instance: ITerminalInstance, data?: IEditableData | null): void {
if (!data) {
this._editable = undefined;
} else {
this._editable = { instance: instance, data };
}
const pane = this._viewsService.getActiveViewWithId<TerminalViewPane>(TERMINAL_VIEW_ID);
const isEditing = this.isEditable(instance);
pane?.terminalTabbedView?.setEditable(isEditing);
}
isEditable(instance: ITerminalInstance | undefined): boolean {
return !!this._editable && (this._editable.instance === instance || !instance);
}
getEditableData(instance: ITerminalInstance): IEditableData | undefined {
return this._editable && this._editable.instance === instance ? this._editable.data : undefined;
}
requestStartExtensionTerminal(proxy: ITerminalProcessExtHostProxy, cols: number, rows: number): Promise<ITerminalLaunchError | undefined> {
// The initial request came from the extension host, no need to wait for it
return new Promise<ITerminalLaunchError | undefined>(callback => {
this._onDidRequestStartExtensionTerminal.fire({ proxy, cols, rows, callback });
});
}
private _onBeforeShutdown(reason: ShutdownReason): boolean | Promise<boolean> {
// Never veto on web as this would block all windows from being closed. This disables
// process revive as we can't handle it on shutdown.
if (isWeb) {
this._isShuttingDown = true;
return false;
}
return this._onBeforeShutdownAsync(reason);
}
private async _onBeforeShutdownAsync(reason: ShutdownReason): Promise<boolean> {
if (this.instances.length === 0) {
// No terminal instances, don't veto
return false;
}
// Persist terminal _buffer state_, note that even if this happens the dirty terminal prompt
// still shows as that cannot be revived
try {
this._shutdownWindowCount = await this._nativeDelegate?.getWindowCount();
const shouldReviveProcesses = this._shouldReviveProcesses(reason);
if (shouldReviveProcesses) {
// Attempt to persist the terminal state but only allow 2000ms as we can't block
// shutdown. This can happen when in a remote workspace but the other side has been
// suspended and is in the process of reconnecting, the message will be put in a
// queue in this case for when the connection is back up and running. Aborting the
// process is preferable in this case.
await Promise.race([
this._primaryBackend?.persistTerminalState(),
timeout(2000)
]);
}
// Persist terminal _processes_
const shouldPersistProcesses = this._terminalConfigurationService.config.enablePersistentSessions && reason === ShutdownReason.RELOAD;
if (!shouldPersistProcesses) {
const hasDirtyInstances = (
(this._terminalConfigurationService.config.confirmOnExit === 'always' && this.instances.length > 0) ||
(this._terminalConfigurationService.config.confirmOnExit === 'hasChildProcesses' && this.instances.some(e => e.hasChildProcesses))
);
if (hasDirtyInstances) {
return this._onBeforeShutdownConfirmation(reason);
}
}
} catch (err: unknown) {
// Swallow as exceptions should not cause a veto to prevent shutdown
this._logService.warn('Exception occurred during terminal shutdown', err);
}
this._isShuttingDown = true;
return false;
}
setNativeDelegate(nativeDelegate: ITerminalServiceNativeDelegate): void {
this._nativeDelegate = nativeDelegate;
}
private _shouldReviveProcesses(reason: ShutdownReason): boolean {
if (!this._terminalConfigurationService.config.enablePersistentSessions) {
return false;
}
switch (this._terminalConfigurationService.config.persistentSessionReviveProcess) {
case 'onExit': {
// Allow on close if it's the last window on Windows or Linux
if (reason === ShutdownReason.CLOSE && (this._shutdownWindowCount === 1 && !isMacintosh)) {
return true;
}
return reason === ShutdownReason.LOAD || reason === ShutdownReason.QUIT;
}
case 'onExitAndWindowClose': return reason !== ShutdownReason.RELOAD;
default: return false;
}
}
private async _onBeforeShutdownConfirmation(reason: ShutdownReason): Promise<boolean> {
// veto if configured to show confirmation and the user chose not to exit
const veto = await this._showTerminalCloseConfirmation();
if (!veto) {
this._isShuttingDown = true;
}
return veto;
}
private _onWillShutdown(e: WillShutdownEvent): void {
// Don't touch processes if the shutdown was a result of reload as they will be reattached
const shouldPersistTerminals = this._terminalConfigurationService.config.enablePersistentSessions && e.reason === ShutdownReason.RELOAD;
for (const instance of [...this._terminalGroupService.instances, ...this._backgroundedTerminalInstances]) {
if (shouldPersistTerminals && instance.shouldPersist) {
instance.detachProcessAndDispose(TerminalExitReason.Shutdown);
} else {
instance.dispose(TerminalExitReason.Shutdown);
}
}
// Clear terminal layout info only when not persisting
if (!shouldPersistTerminals && !this._shouldReviveProcesses(e.reason)) {
this._primaryBackend?.setTerminalLayoutInfo(undefined);
}
}
@debounce(500)
private _saveState(): void {
// Avoid saving state when shutting down as that would override process state to be revived
if (this._isShuttingDown) {
return;
}
if (!this._terminalConfigurationService.config.enablePersistentSessions) {
return;
}
const tabs = this._terminalGroupService.groups.map(g => g.getLayoutInfo(g === this._terminalGroupService.activeGroup));
const state: ITerminalsLayoutInfoById = { tabs };
this._primaryBackend?.setTerminalLayoutInfo(state);
}
@debounce(500)
private _updateTitle(instance: ITerminalInstance | undefined): void {
if (!this._terminalConfigurationService.config.enablePersistentSessions || !instance || !instance.persistentProcessId || !instance.title || instance.isDisposed) {
return;
}
if (instance.staticTitle) {
this._primaryBackend?.updateTitle(instance.persistentProcessId, instance.staticTitle, TitleEventSource.Api);
} else {
this._primaryBackend?.updateTitle(instance.persistentProcessId, instance.title, instance.titleSource);
}
}
@debounce(500)
private _updateIcon(instance: ITerminalInstance, userInitiated: boolean): void {
if (!this._terminalConfigurationService.config.enablePersistentSessions || !instance || !instance.persistentProcessId || !instance.icon || instance.isDisposed) {
return;
}
this._primaryBackend?.updateIcon(instance.persistentProcessId, userInitiated, instance.icon, instance.color);
}
refreshActiveGroup(): void {
this._onDidChangeActiveGroup.fire(this._terminalGroupService.activeGroup);
}
getInstanceFromId(terminalId: number): ITerminalInstance | undefined {
let bgIndex = -1;
this._backgroundedTerminalInstances.forEach((terminalInstance, i) => {
if (terminalInstance.instanceId === terminalId) {
bgIndex = i;
}
});
if (bgIndex !== -1) {
return this._backgroundedTerminalInstances[bgIndex];
}
try {
return this.instances[this._getIndexFromId(terminalId)];
} catch {
return undefined;
}
}
getInstanceFromIndex(terminalIndex: number): ITerminalInstance {
return this.instances[terminalIndex];
}
getInstanceFromResource(resource: URI | undefined): ITerminalInstance | undefined {
return getInstanceFromResource(this.instances, resource);
}
isAttachedToTerminal(remoteTerm: IRemoteTerminalAttachTarget): boolean {
return this.instances.some(term => term.processId === remoteTerm.pid);
}
moveToEditor(source: ITerminalInstance, group?: GroupIdentifier | SIDE_GROUP_TYPE | ACTIVE_GROUP_TYPE | AUX_WINDOW_GROUP_TYPE): void {
if (source.target === TerminalLocation.Editor) {
return;
}
const sourceGroup = this._terminalGroupService.getGroupForInstance(source);
if (!sourceGroup) {
return;
}
sourceGroup.removeInstance(source);
this._terminalEditorService.openEditor(source, group ? { viewColumn: group } : undefined);
}
moveIntoNewEditor(source: ITerminalInstance): void {
this.moveToEditor(source, AUX_WINDOW_GROUP);
}
async moveToTerminalView(source?: ITerminalInstance | URI, target?: ITerminalInstance, side?: 'before' | 'after'): Promise<void> {
if (URI.isUri(source)) {
source = this.getInstanceFromResource(source);
}
if (!source) {
return;
}
this._terminalEditorService.detachInstance(source);
if (source.target !== TerminalLocation.Editor) {
await this._terminalGroupService.showPanel(true);
return;
}
source.target = TerminalLocation.Panel;
let group: ITerminalGroup | undefined;
if (target) {
group = this._terminalGroupService.getGroupForInstance(target);
}
if (!group) {
group = this._terminalGroupService.createGroup();
}
group.addInstance(source);
this.setActiveInstance(source);
await this._terminalGroupService.showPanel(true);
if (target && side) {
const index = group.terminalInstances.indexOf(target) + (side === 'after' ? 1 : 0);
group.moveInstance(source, index);
}
// Fire events
this._onDidChangeInstances.fire();
this._onDidChangeActiveGroup.fire(this._terminalGroupService.activeGroup);
}
protected _initInstanceListeners(instance: ITerminalInstance): void {
const instanceDisposables: IDisposable[] = [
instance.onDimensionsChanged(() => {
this._onDidChangeInstanceDimensions.fire(instance);
if (this._terminalConfigurationService.config.enablePersistentSessions && this.isProcessSupportRegistered) {
this._saveState();
}
}),
instance.onDidFocus(this._onDidChangeActiveInstance.fire, this._onDidChangeActiveInstance),
instance.onRequestAddInstanceToGroup(async e => await this._addInstanceToGroup(instance, e))
];
instance.onDisposed(() => dispose(instanceDisposables));
}
private async _addInstanceToGroup(instance: ITerminalInstance, e: IRequestAddInstanceToGroupEvent): Promise<void> {
const terminalIdentifier = parseTerminalUri(e.uri);
if (terminalIdentifier.instanceId === undefined) {
return;
}
let sourceInstance: ITerminalInstance | undefined = this.getInstanceFromResource(e.uri);
// Terminal from a different window
if (!sourceInstance) {
const attachPersistentProcess = await this._primaryBackend?.requestDetachInstance(terminalIdentifier.workspaceId, terminalIdentifier.instanceId);
if (attachPersistentProcess) {
sourceInstance = await this.createTerminal({ config: { attachPersistentProcess }, resource: e.uri });
this._terminalGroupService.moveInstance(sourceInstance, instance, e.side);
return;
}
}
// View terminals
sourceInstance = this._terminalGroupService.getInstanceFromResource(e.uri);
if (sourceInstance) {
this._terminalGroupService.moveInstance(sourceInstance, instance, e.side);
return;
}
// Terminal editors
sourceInstance = this._terminalEditorService.getInstanceFromResource(e.uri);
if (sourceInstance) {
this.moveToTerminalView(sourceInstance, instance, e.side);
return;
}
return;
}
registerProcessSupport(isSupported: boolean): void {
if (!isSupported) {
return;
}
this._processSupportContextKey.set(isSupported);
this._onDidRegisterProcessSupport.fire();
}
// TODO: Remove this, it should live in group/editor servioce
private _getIndexFromId(terminalId: number): number {
let terminalIndex = -1;
this.instances.forEach((terminalInstance, i) => {
if (terminalInstance.instanceId === terminalId) {
terminalIndex = i;
}
});
if (terminalIndex === -1) {
throw new Error(`Terminal with ID ${terminalId} does not exist (has it already been disposed?)`);
}
return terminalIndex;
}
protected async _showTerminalCloseConfirmation(singleTerminal?: boolean): Promise<boolean> {
let message: string;
if (this.instances.length === 1 || singleTerminal) {
message = nls.localize('terminalService.terminalCloseConfirmationSingular', "Do you want to terminate the active terminal session?");
} else {
message = nls.localize('terminalService.terminalCloseConfirmationPlural', "Do you want to terminate the {0} active terminal sessions?", this.instances.length);
}
const { confirmed } = await this._dialogService.confirm({
type: 'warning',
message,
primaryButton: nls.localize({ key: 'terminate', comment: ['&& denotes a mnemonic'] }, "&&Terminate")
});
return !confirmed;
}
getDefaultInstanceHost(): ITerminalInstanceHost {
if (this.defaultLocation === TerminalLocation.Editor) {
return this._terminalEditorService;
}
return this._terminalGroupService;
}
async getInstanceHost(location: ITerminalLocationOptions | undefined): Promise<ITerminalInstanceHost> {
if (location) {
if (location === TerminalLocation.Editor) {
return this._terminalEditorService;
} else if (typeof location === 'object') {
if ('viewColumn' in location) {
return this._terminalEditorService;
} else if ('parentTerminal' in location) {
return (await location.parentTerminal).target === TerminalLocation.Editor ? this._terminalEditorService : this._terminalGroupService;
}
} else {
return this._terminalGroupService;
}
}
return this;
}
async createTerminal(options?: ICreateTerminalOptions): Promise<ITerminalInstance> {
// Await the initialization of available profiles as long as this is not a pty terminal or a
// local terminal in a remote workspace as profile won't be used in those cases and these
// terminals need to be launched before remote connections are established.
if (this._terminalProfileService.availableProfiles.length === 0) {
const isPtyTerminal = options?.config && 'customPtyImplementation' in options.config;
const isLocalInRemoteTerminal = this._remoteAgentService.getConnection() && URI.isUri(options?.cwd) && options?.cwd.scheme === Schemas.vscodeFileResource;
if (!isPtyTerminal && !isLocalInRemoteTerminal) {
if (this._connectionState === TerminalConnectionState.Connecting) {
mark(`code/terminal/willGetProfiles`);
}
await this._terminalProfileService.profilesReady;
if (this._connectionState === TerminalConnectionState.Connecting) {
mark(`code/terminal/didGetProfiles`);
}
}
}
const config = options?.config || this._terminalProfileService.getDefaultProfile();
const shellLaunchConfig = config && 'extensionIdentifier' in config ? {} : this._terminalInstanceService.convertProfileToShellLaunchConfig(config || {});
// Get the contributed profile if it was provided
const contributedProfile = await this._getContributedProfile(shellLaunchConfig, options);
const splitActiveTerminal = typeof options?.location === 'object' && 'splitActiveTerminal' in options.location ? options.location.splitActiveTerminal : typeof options?.location === 'object' ? 'parentTerminal' in options.location : false;
await this._resolveCwd(shellLaunchConfig, splitActiveTerminal, options);
// Launch the contributed profile
if (contributedProfile) {
const resolvedLocation = await this.resolveLocation(options?.location);
let location: TerminalLocation | { viewColumn: number; preserveState?: boolean } | { splitActiveTerminal: boolean } | undefined;
if (splitActiveTerminal) {
location = resolvedLocation === TerminalLocation.Editor ? { viewColumn: SIDE_GROUP } : { splitActiveTerminal: true };
} else {
location = typeof options?.location === 'object' && 'viewColumn' in options.location ? options.location : resolvedLocation;
}
await this.createContributedTerminalProfile(contributedProfile.extensionIdentifier, contributedProfile.id, {
icon: contributedProfile.icon,
color: contributedProfile.color,
location,
cwd: shellLaunchConfig.cwd,
});
const instanceHost = resolvedLocation === TerminalLocation.Editor ? this._terminalEditorService : this._terminalGroupService;
const instance = instanceHost.instances[instanceHost.instances.length - 1];
await instance?.focusWhenReady();
this._terminalHasBeenCreated.set(true);
return instance;
}
if (!shellLaunchConfig.customPtyImplementation && !this.isProcessSupportRegistered) {
throw new Error('Could not create terminal when process support is not registered');
}
if (shellLaunchConfig.hideFromUser) {
const instance = this._terminalInstanceService.createInstance(shellLaunchConfig, TerminalLocation.Panel);
this._backgroundedTerminalInstances.push(instance);
this._backgroundedTerminalDisposables.set(instance.instanceId, [
instance.onDisposed(this._onDidDisposeInstance.fire, this._onDidDisposeInstance)
]);
this._terminalHasBeenCreated.set(true);
return instance;
}
this._evaluateLocalCwd(shellLaunchConfig);
const location = await this.resolveLocation(options?.location) || this.defaultLocation;
const parent = await this._getSplitParent(options?.location);
this._terminalHasBeenCreated.set(true);
if (parent) {