settingsEditor2.ts 34.2 KB
Newer Older
R
Rob Lourens 已提交
1 2 3 4 5 6
/*---------------------------------------------------------------------------------------------
 *  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';
7
import { Button } from 'vs/base/browser/ui/button/button';
8 9
import { ToolBar } from 'vs/base/browser/ui/toolbar/toolbar';
import { Action } from 'vs/base/common/actions';
10
import * as arrays from 'vs/base/common/arrays';
R
Rob Lourens 已提交
11
import { Delayer, ThrottledDelayer } from 'vs/base/common/async';
R
Rob Lourens 已提交
12
import { CancellationToken } from 'vs/base/common/cancellation';
R
Rob Lourens 已提交
13
import * as collections from 'vs/base/common/collections';
R
Rob Lourens 已提交
14
import { Color, RGBA } from 'vs/base/common/color';
15
import { getErrorMessage, isPromiseCanceledError } from 'vs/base/common/errors';
R
Rob Lourens 已提交
16
import URI from 'vs/base/common/uri';
R
Rob Lourens 已提交
17
import { TPromise } from 'vs/base/common/winjs.base';
18
import { ITree, ITreeConfiguration } from 'vs/base/parts/tree/browser/tree';
19
import { DefaultTreestyler, OpenMode } from 'vs/base/parts/tree/browser/treeDefaults';
R
Rob Lourens 已提交
20 21
import 'vs/css!./media/settingsEditor2';
import { localize } from 'vs/nls';
R
Rob Lourens 已提交
22
import { ConfigurationTarget, IConfigurationOverrides, IConfigurationService } from 'vs/platform/configuration/common/configuration';
R
Rob Lourens 已提交
23
import { IContextKey, IContextKeyService } from 'vs/platform/contextkey/common/contextkey';
24
import { IContextMenuService } from 'vs/platform/contextview/browser/contextView';
R
Rob Lourens 已提交
25
import { IEnvironmentService } from 'vs/platform/environment/common/environment';
R
Rob Lourens 已提交
26
import { IInstantiationService } from 'vs/platform/instantiation/common/instantiation';
27
import { WorkbenchTree, WorkbenchTreeController } from 'vs/platform/list/browser/listService';
28
import { ILogService } from 'vs/platform/log/common/log';
R
Rob Lourens 已提交
29
import { ITelemetryService } from 'vs/platform/telemetry/common/telemetry';
R
Rob Lourens 已提交
30
import { editorBackground, focusBorder, foreground, registerColor } from 'vs/platform/theme/common/colorRegistry';
31 32
import { attachButtonStyler, attachStyler } from 'vs/platform/theme/common/styler';
import { ICssStyleCollector, ITheme, IThemeService, registerThemingParticipant } from 'vs/platform/theme/common/themeService';
R
Rob Lourens 已提交
33
import { BaseEditor } from 'vs/workbench/browser/parts/editor/baseEditor';
34
import { EditorOptions, IEditor } from 'vs/workbench/common/editor';
35
import { SearchWidget, SettingsTarget, SettingsTargetsWidget } from 'vs/workbench/parts/preferences/browser/preferencesWidgets';
R
Rob Lourens 已提交
36 37
import { commonlyUsedData, tocData } from 'vs/workbench/parts/preferences/browser/settingsLayout';
import { ISettingsEditorViewState, NonExpandableTree, resolveExtensionsSettings, resolveSettingsTree, SearchResultIdx, SearchResultModel, SettingsAccessibilityProvider, SettingsDataSource, SettingsRenderer, SettingsTreeController, SettingsTreeElement, SettingsTreeFilter, SettingsTreeGroupElement, SettingsTreeModel, SettingsTreeSettingElement } from 'vs/workbench/parts/preferences/browser/settingsTree';
38
import { TOCDataSource, TOCRenderer, TOCTreeModel } from 'vs/workbench/parts/preferences/browser/tocTree';
39
import { CONTEXT_SETTINGS_EDITOR, CONTEXT_SETTINGS_FIRST_ROW_FOCUS, CONTEXT_SETTINGS_ROW_FOCUS, CONTEXT_SETTINGS_SEARCH_FOCUS, CONTEXT_TOC_ROW_FOCUS, IPreferencesSearchService, ISearchProvider } from 'vs/workbench/parts/preferences/common/preferences';
40
import { IPreferencesService, ISearchResult, ISettingsEditorModel } from 'vs/workbench/services/preferences/common/preferences';
41
import { SettingsEditor2Input } from 'vs/workbench/services/preferences/common/preferencesEditorInput';
R
Rob Lourens 已提交
42
import { DefaultSettingsEditorModel } from 'vs/workbench/services/preferences/common/preferencesModels';
R
Rob Lourens 已提交
43

44 45
const $ = DOM.$;

46 47 48 49 50 51
export const settingItemInactiveSelectionBorder = registerColor('settings.inactiveSelectedItemBorder', {
	dark: '#3F3F46',
	light: '#CCCEDB',
	hc: null
}, localize('settingItemInactiveSelectionBorder', "The color of the selected setting row border, when the settings list does not have focus."));

R
Rob Lourens 已提交
52 53 54 55 56 57
export class SettingsEditor2 extends BaseEditor {

	public static readonly ID: string = 'workbench.editor.settings2';

	private defaultSettingsEditorModel: DefaultSettingsEditorModel;

58
	private rootElement: HTMLElement;
R
Rob Lourens 已提交
59 60 61
	private headerContainer: HTMLElement;
	private searchWidget: SearchWidget;
	private settingsTargetsWidget: SettingsTargetsWidget;
62
	private toolbar: ToolBar;
R
Rob Lourens 已提交
63

64 65 66
	private settingsTreeContainer: HTMLElement;
	private settingsTree: WorkbenchTree;
	private treeDataSource: SettingsDataSource;
67
	private tocTreeModel: TOCTreeModel;
68
	private settingsTreeModel: SettingsTreeModel;
R
Rob Lourens 已提交
69

R
Rob Lourens 已提交
70 71 72
	private tocTreeContainer: HTMLElement;
	private tocTree: WorkbenchTree;

R
Rob Lourens 已提交
73 74 75
	private delayedFilterLogging: Delayer<void>;
	private localSearchDelayer: Delayer<void>;
	private remoteSearchThrottle: ThrottledDelayer<void>;
R
Rob Lourens 已提交
76
	private searchInProgress: TPromise<void>;
R
Rob Lourens 已提交
77

78 79
	private settingUpdateDelayer: Delayer<void>;
	private pendingSettingUpdate: { key: string, value: any };
R
Rob Lourens 已提交
80

81
	private selectedElement: SettingsTreeElement;
82

83
	private viewState: ISettingsEditorViewState;
84
	private searchResultModel: SearchResultModel;
85 86

	private firstRowFocused: IContextKey<boolean>;
87
	private rowFocused: IContextKey<boolean>;
88
	private tocRowFocused: IContextKey<boolean>;
89 90
	private inSettingsEditorContextKey: IContextKey<boolean>;
	private searchFocusContextKey: IContextKey<boolean>;
91

92 93 94
	/** Don't spam warnings */
	private hasWarnedMissingSettings: boolean;

R
Rob Lourens 已提交
95 96 97 98 99
	constructor(
		@ITelemetryService telemetryService: ITelemetryService,
		@IConfigurationService private configurationService: IConfigurationService,
		@IThemeService themeService: IThemeService,
		@IPreferencesService private preferencesService: IPreferencesService,
R
Rob Lourens 已提交
100 101
		@IInstantiationService private instantiationService: IInstantiationService,
		@IPreferencesSearchService private preferencesSearchService: IPreferencesSearchService,
102
		@ILogService private logService: ILogService,
103
		@IEnvironmentService private environmentService: IEnvironmentService,
104 105
		@IContextKeyService contextKeyService: IContextKeyService,
		@IContextMenuService private contextMenuService: IContextMenuService
R
Rob Lourens 已提交
106 107
	) {
		super(SettingsEditor2.ID, telemetryService, themeService);
R
Rob Lourens 已提交
108 109 110
		this.delayedFilterLogging = new Delayer<void>(1000);
		this.localSearchDelayer = new Delayer(100);
		this.remoteSearchThrottle = new ThrottledDelayer(200);
111
		this.viewState = { settingsTarget: ConfigurationTarget.USER };
R
Rob Lourens 已提交
112

113 114
		this.settingUpdateDelayer = new Delayer<void>(500);

115 116
		this.inSettingsEditorContextKey = CONTEXT_SETTINGS_EDITOR.bindTo(contextKeyService);
		this.searchFocusContextKey = CONTEXT_SETTINGS_SEARCH_FOCUS.bindTo(contextKeyService);
117
		this.firstRowFocused = CONTEXT_SETTINGS_FIRST_ROW_FOCUS.bindTo(contextKeyService);
118
		this.rowFocused = CONTEXT_SETTINGS_ROW_FOCUS.bindTo(contextKeyService);
119
		this.tocRowFocused = CONTEXT_TOC_ROW_FOCUS.bindTo(contextKeyService);
120

121 122 123 124 125 126 127
		this._register(configurationService.onDidChangeConfiguration(e => {
			this.onConfigUpdate();

			if (e.affectsConfiguration('workbench.settings.tocVisible')) {
				this.updateTOCVisible();
			}
		}));
R
Rob Lourens 已提交
128 129 130
	}

	createEditor(parent: HTMLElement): void {
131
		parent.setAttribute('tabindex', '-1');
132
		this.rootElement = DOM.append(parent, $('.settings-editor'));
R
Rob Lourens 已提交
133

134 135
		this.createHeader(this.rootElement);
		this.createBody(this.rootElement);
R
Rob Lourens 已提交
136 137
	}

138
	setInput(input: SettingsEditor2Input, options: EditorOptions, token: CancellationToken): Thenable<void> {
139
		this.inSettingsEditorContextKey.set(true);
140
		return super.setInput(input, options, token)
R
Rob Lourens 已提交
141
			.then(() => {
142
				this.render(token);
R
Rob Lourens 已提交
143 144 145
			});
	}

146 147 148 149 150
	clearInput(): void {
		this.inSettingsEditorContextKey.set(false);
		super.clearInput();
	}

R
Rob Lourens 已提交
151 152
	layout(dimension: DOM.Dimension): void {
		this.searchWidget.layout(dimension);
153 154 155
		this.layoutTrees(dimension);

		DOM.toggleClass(this.rootElement, 'narrow', dimension.width < 600);
R
Rob Lourens 已提交
156 157 158
	}

	focus(): void {
159 160 161
		this.focusSearch();
	}

162 163 164 165 166 167 168 169 170 171 172
	focusSettings(): void {
		const selection = this.settingsTree.getSelection();
		if (selection && selection[0]) {
			this.settingsTree.setFocus(selection[0]);
		} else {
			this.settingsTree.focusFirst();
		}

		this.settingsTree.domFocus();
	}

173
	focusSearch(): void {
R
Rob Lourens 已提交
174 175 176
		this.searchWidget.focus();
	}

177 178 179 180 181 182 183 184
	editSelectedSetting(): void {
		const focus = this.settingsTree.getFocus();
		if (focus instanceof SettingsTreeSettingElement) {
			const itemId = focus.id.replace(/\./g, '_');
			this.focusEditControlForRow(itemId);
		}
	}

185 186 187 188
	clearSearchResults(): void {
		this.searchWidget.clear();
	}

R
Rob Lourens 已提交
189 190 191
	private createHeader(parent: HTMLElement): void {
		this.headerContainer = DOM.append(parent, $('.settings-header'));

192
		const previewHeader = DOM.append(this.headerContainer, $('.settings-preview-header'));
R
Rob Lourens 已提交
193 194 195 196 197

		const previewAlert = DOM.append(previewHeader, $('span.settings-preview-warning'));
		previewAlert.textContent = localize('previewWarning', "Preview");

		const previewTextLabel = DOM.append(previewHeader, $('span.settings-preview-label'));
198
		previewTextLabel.textContent = localize('previewLabel', "This is a preview of our new settings editor");
199

R
Rob Lourens 已提交
200 201 202
		const searchContainer = DOM.append(this.headerContainer, $('.search-container'));
		this.searchWidget = this._register(this.instantiationService.createInstance(SearchWidget, searchContainer, {
			ariaLabel: localize('SearchSettings.AriaLabel', "Search settings"),
203
			placeholder: localize('SearchSettings.Placeholder', "Search settings"),
S
Sandeep Somavarapu 已提交
204 205
			focusKey: this.searchFocusContextKey,
			ariaLive: 'assertive'
R
Rob Lourens 已提交
206
		}));
207
		this._register(this.searchWidget.onDidChange(() => this.onSearchInputChanged()));
R
Rob Lourens 已提交
208

209
		const headerControlsContainer = DOM.append(this.headerContainer, $('.settings-header-controls'));
R
Rob Lourens 已提交
210 211 212
		const targetWidgetContainer = DOM.append(headerControlsContainer, $('.settings-target-container'));
		this.settingsTargetsWidget = this._register(this.instantiationService.createInstance(SettingsTargetsWidget, targetWidgetContainer));
		this.settingsTargetsWidget.settingsTarget = ConfigurationTarget.USER;
213 214
		this.settingsTargetsWidget.onDidTargetChange(() => {
			this.viewState.settingsTarget = this.settingsTargetsWidget.settingsTarget;
215
			this.toolbar.context = this.settingsTargetsWidget.settingsTarget;
216 217 218

			this.settingsTreeModel.update();
			this.refreshTreeAndMaintainFocus();
219
		});
R
Rob Lourens 已提交
220

221
		this.createHeaderControls(headerControlsContainer);
R
Rob Lourens 已提交
222 223
	}

224 225 226
	private createHeaderControls(parent: HTMLElement): void {
		const headerControlsContainerRight = DOM.append(parent, $('.settings-header-controls-right'));

227 228 229 230
		this.toolbar = new ToolBar(headerControlsContainerRight, this.contextMenuService, {
			ariaLabel: localize('settingsToolbarLabel', "Settings Editor Actions"),
			actionRunner: this.actionRunner
		});
231

232 233 234 235 236 237
		const actions = [
			this.instantiationService.createInstance(ToggleShowModifiedOnlyAction, this, this.viewState),
			this.instantiationService.createInstance(OpenSettingsAction)
		];
		this.toolbar.setActions([], actions)();
		this.toolbar.context = this.settingsTargetsWidget.settingsTarget;
238 239
	}

240 241 242 243 244
	private revealSetting(settingName: string): void {
		const element = this.settingsTreeModel.getElementByName(settingName);
		if (element) {
			this.settingsTree.setSelection([element]);
			this.settingsTree.setFocus(element);
245 246
			this.settingsTree.reveal(element, 0);
			this.settingsTree.domFocus();
247 248 249
		}
	}

250 251 252 253 254 255 256 257 258 259
	private openSettingsFile(): TPromise<IEditor> {
		const currentSettingsTarget = this.settingsTargetsWidget.settingsTarget;

		if (currentSettingsTarget === ConfigurationTarget.USER) {
			return this.preferencesService.openGlobalSettings();
		} else if (currentSettingsTarget === ConfigurationTarget.WORKSPACE) {
			return this.preferencesService.openWorkspaceSettings();
		} else {
			return this.preferencesService.openFolderSettings(currentSettingsTarget);
		}
R
Rob Lourens 已提交
260 261 262 263 264
	}

	private createBody(parent: HTMLElement): void {
		const bodyContainer = DOM.append(parent, $('.settings-body'));

265
		this.createTOC(bodyContainer);
R
Rob Lourens 已提交
266
		this.createSettingsTree(bodyContainer);
267 268 269 270

		if (this.environmentService.appQuality !== 'stable') {
			this.createFeedbackButton(bodyContainer);
		}
R
Rob Lourens 已提交
271 272
	}

R
Rob Lourens 已提交
273 274 275
	private createTOC(parent: HTMLElement): void {
		this.tocTreeContainer = DOM.append(parent, $('.settings-toc-container'));

276 277 278
		const tocDataSource = this.instantiationService.createInstance(TOCDataSource);
		const tocRenderer = this.instantiationService.createInstance(TOCRenderer);
		this.tocTreeModel = new TOCTreeModel();
R
Rob Lourens 已提交
279 280 281

		this.tocTree = this.instantiationService.createInstance(WorkbenchTree, this.tocTreeContainer,
			<ITreeConfiguration>{
282 283
				dataSource: tocDataSource,
				renderer: tocRenderer,
284
				controller: this.instantiationService.createInstance(WorkbenchTreeController, { openMode: OpenMode.DOUBLE_CLICK }),
285
				filter: this.instantiationService.createInstance(SettingsTreeFilter, this.viewState)
R
Rob Lourens 已提交
286 287
			},
			{
288 289
				showLoading: false,
				twistiePixels: 15
R
Rob Lourens 已提交
290 291
			});

292 293
		this._register(this.tocTree.onDidChangeFocus(e => {
			const element = e.focus;
294 295 296 297
			if (this.searchResultModel) {
				this.viewState.filterToCategory = element;
				this.refreshTreeAndMaintainFocus();
			} else if (this.settingsTreeModel) {
R
Rob Lourens 已提交
298
				if (element && !e.payload.fromScroll) {
299 300 301 302
					this.settingsTree.reveal(element, 0);
					this.settingsTree.setSelection([element]);
					this.settingsTree.setFocus(element);
				}
303
			}
304 305 306 307 308 309 310 311 312

		}));

		this._register(this.tocTree.onDidFocus(() => {
			this.tocRowFocused.set(true);
		}));

		this._register(this.tocTree.onDidBlur(() => {
			this.tocRowFocused.set(false);
R
Rob Lourens 已提交
313
		}));
314 315 316 317 318 319 320

		this.updateTOCVisible();
	}

	private updateTOCVisible(): void {
		const visible = !!this.configurationService.getValue('workbench.settings.tocVisible');
		DOM.toggleClass(this.tocTreeContainer, 'hidden', !visible);
R
Rob Lourens 已提交
321 322 323
	}

	private createSettingsTree(parent: HTMLElement): void {
324
		this.settingsTreeContainer = DOM.append(parent, $('.settings-tree-container'));
R
Rob Lourens 已提交
325

326
		this.treeDataSource = this.instantiationService.createInstance(SettingsDataSource, this.viewState);
327
		const renderer = this.instantiationService.createInstance(SettingsRenderer, this.settingsTreeContainer);
328
		this._register(renderer.onDidChangeSetting(e => this.onDidChangeSetting(e.key, e.value)));
329
		this._register(renderer.onDidOpenSettings(() => this.openSettingsFile()));
330
		this._register(renderer.onDidClickSettingLink(settingName => this.revealSetting(settingName)));
331

332
		const treeClass = 'settings-editor-tree';
333
		this.settingsTree = this.instantiationService.createInstance(NonExpandableTree, this.settingsTreeContainer,
334
			<ITreeConfiguration>{
335
				dataSource: this.treeDataSource,
R
Rob Lourens 已提交
336
				renderer,
337 338
				controller: this.instantiationService.createInstance(SettingsTreeController),
				accessibilityProvider: this.instantiationService.createInstance(SettingsAccessibilityProvider),
339 340
				filter: this.instantiationService.createInstance(SettingsTreeFilter, this.viewState),
				styler: new DefaultTreestyler(DOM.createStyleSheet(), treeClass)
341 342 343 344
			},
			{
				ariaLabel: localize('treeAriaLabel', "Settings"),
				showLoading: false,
345 346
				indentPixels: 0,
				twistiePixels: 0,
347
			});
348

349
		this._register(registerThemingParticipant((theme: ITheme, collector: ICssStyleCollector) => {
350
			const activeBorderColor = theme.getColor(focusBorder);
351
			if (activeBorderColor) {
352
				collector.addRule(`.settings-editor > .settings-body > .settings-tree-container .monaco-tree:focus .monaco-tree-row.focused {outline: solid 1px ${activeBorderColor}; outline-offset: -1px; }`);
353 354
			}

355
			const inactiveBorderColor = theme.getColor(settingItemInactiveSelectionBorder);
356
			if (inactiveBorderColor) {
357
				collector.addRule(`.settings-editor > .settings-body > .settings-tree-container .monaco-tree .monaco-tree-row.focused {outline: solid 1px ${inactiveBorderColor}; outline-offset: -1px; }`);
358
			}
R
Rob Lourens 已提交
359 360 361 362 363 364 365 366

			const foregroundColor = theme.getColor(foreground);
			if (foregroundColor) {
				// Links appear inside other elements in markdown. CSS opacity acts like a mask. So we have to dynamically compute the description color to avoid
				// applying an opacity to the link color.
				const fgWithOpacity = new Color(new RGBA(foregroundColor.rgba.r, foregroundColor.rgba.g, foregroundColor.rgba.b, .7));
				collector.addRule(`.settings-editor > .settings-body > .settings-tree-container .setting-item .setting-item-description { color: ${fgWithOpacity}; }`);
			}
367 368
		}));

369 370
		this.settingsTree.getHTMLElement().classList.add(treeClass);

371
		this._register(attachStyler(this.themeService, {
372 373 374 375 376 377 378 379 380 381
			listActiveSelectionBackground: editorBackground,
			listActiveSelectionForeground: foreground,
			listFocusAndSelectionBackground: editorBackground,
			listFocusAndSelectionForeground: foreground,
			listFocusBackground: editorBackground,
			listFocusForeground: foreground,
			listHoverForeground: foreground,
			listHoverBackground: editorBackground,
			listInactiveSelectionBackground: editorBackground,
			listInactiveSelectionForeground: foreground
382 383
		}, colors => {
			this.settingsTree.style(colors);
384
		}));
385

386
		this._register(this.settingsTree.onDidChangeFocus(e => {
387
			this.settingsTree.setSelection([e.focus]);
388 389
			if (this.selectedElement) {
				this.settingsTree.refresh(this.selectedElement);
390
			}
391

392 393
			if (e.focus) {
				this.settingsTree.refresh(e.focus);
394
			}
395 396

			this.selectedElement = e.focus;
397 398
		}));

399 400 401 402 403
		this._register(this.settingsTree.onDidBlur(() => {
			this.rowFocused.set(false);
			this.firstRowFocused.set(false);
		}));

404
		this._register(this.settingsTree.onDidChangeSelection(e => {
405
			this.updateTreeScrollSync();
406 407

			let firstRowFocused = false;
408
			let rowFocused = false;
409 410
			const selection: SettingsTreeElement = e.selection[0];
			if (selection) {
411
				rowFocused = true;
412 413 414 415 416 417 418 419
				if (this.searchResultModel) {
					firstRowFocused = selection.id === this.searchResultModel.getChildren()[0].id;
				} else {
					const firstRowId = this.settingsTreeModel.root.children[0] && this.settingsTreeModel.root.children[0].id;
					firstRowFocused = selection.id === firstRowId;
				}
			}

420
			this.rowFocused.set(rowFocused);
421
			this.firstRowFocused.set(firstRowFocused);
422
		}));
423

424 425
		this._register(this.settingsTree.onDidScroll(() => {
			this.updateTreeScrollSync();
426
		}));
427 428
	}

429 430 431 432 433 434 435 436 437 438 439 440
	private createFeedbackButton(parent: HTMLElement): void {
		const feedbackButton = this._register(new Button(parent));
		feedbackButton.label = localize('feedbackButtonLabel', "Provide Feedback");
		feedbackButton.element.classList.add('settings-feedback-button');

		this._register(attachButtonStyler(feedbackButton, this.themeService));
		this._register(feedbackButton.onDidClick(() => {
			// Github master issue
			window.open('https://go.microsoft.com/fwlink/?linkid=2000807');
		}));
	}

441 442
	toggleShowModifiedOnly(): TPromise<void> {
		this.viewState.showConfiguredOnly = !this.viewState.showConfiguredOnly;
443
		DOM.toggleClass(this.rootElement, 'showing-modified-only', this.viewState.showConfiguredOnly);
444 445 446 447
		return this.refreshTreeAndMaintainFocus().then(() => {
			this.settingsTree.setScrollPosition(0);
			this.expandAll(this.settingsTree);
		});
448 449
	}

R
Rob Lourens 已提交
450
	private onDidChangeSetting(key: string, value: any): void {
451 452
		if (this.pendingSettingUpdate && this.pendingSettingUpdate.key !== key) {
			this.updateChangedSetting(key, value);
453 454
		}

455 456 457 458
		this.pendingSettingUpdate = { key, value };
		this.settingUpdateDelayer.trigger(() => this.updateChangedSetting(key, value));
	}

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
	private updateTreeScrollSync(): void {
		if (this.searchResultModel) {
			return;
		}

		if (!this.tocTree.getInput()) {
			return;
		}

		let elementToSync = this.settingsTree.getFirstVisibleElement();
		const selection = this.settingsTree.getSelection()[0];
		if (selection) {
			const selectionPos = this.settingsTree.getRelativeTop(selection);
			if (selectionPos >= 0 && selectionPos <= 1) {
				elementToSync = selection;
			}
		}

		const element = elementToSync instanceof SettingsTreeSettingElement ? elementToSync.parent :
			elementToSync instanceof SettingsTreeGroupElement ? elementToSync :
				null;

		if (element && this.tocTree.getSelection()[0] !== element) {
			const elementTop = this.tocTree.getRelativeTop(element);
			if (elementTop < 0) {
				this.tocTree.reveal(element, 0);
			} else if (elementTop > 1) {
				this.tocTree.reveal(element, 1);
			}

489 490
			this.tocTree.setSelection([element]);
			this.tocTree.setFocus(element, { fromScroll: true });
491 492 493
		}
	}

494 495 496
	private updateChangedSetting(key: string, value: any): TPromise<void> {
		// ConfigurationService displays the error if this fails.
		// Force a render afterwards because onDidConfigurationUpdate doesn't fire if the update doesn't result in an effective setting value change
R
Rob Lourens 已提交
497 498 499 500 501 502 503 504 505 506 507 508
		const settingsTarget = this.settingsTargetsWidget.settingsTarget;
		const resource = URI.isUri(settingsTarget) ? settingsTarget : undefined;
		const configurationTarget = <ConfigurationTarget>(resource ? undefined : settingsTarget);
		const overrides: IConfigurationOverrides = { resource };

		// If the user is changing the value back to the default, do a 'reset' instead
		const inspected = this.configurationService.inspect(key, overrides);
		if (inspected.default === value) {
			value = undefined;
		}

		return this.configurationService.updateValue(key, value, overrides, configurationTarget)
509 510 511 512 513 514 515 516 517 518 519 520 521 522
			.then(() => this.refreshTreeAndMaintainFocus())
			.then(() => {
				const reportModifiedProps = {
					key,
					query: this.searchWidget.getValue(),
					searchResults: this.searchResultModel && this.searchResultModel.getUniqueResults(),
					rawResults: this.searchResultModel && this.searchResultModel.getRawResults(),
					showConfiguredOnly: this.viewState.showConfiguredOnly,
					isReset: typeof value === 'undefined',
					settingsTarget: this.settingsTargetsWidget.settingsTarget as SettingsTarget
				};

				return this.reportModifiedSetting(reportModifiedProps);
			});
523 524 525
	}

	private reportModifiedSetting(props: { key: string, query: string, searchResults: ISearchResult[], rawResults: ISearchResult[], showConfiguredOnly: boolean, isReset: boolean, settingsTarget: SettingsTarget }): void {
526
		this.pendingSettingUpdate = null;
527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543

		const remoteResult = props.searchResults && props.searchResults[SearchResultIdx.Remote];
		const localResult = props.searchResults && props.searchResults[SearchResultIdx.Local];

		let groupId = undefined;
		let nlpIndex = undefined;
		let displayIndex = undefined;
		if (props.searchResults) {
			const localIndex = arrays.firstIndex(localResult.filterMatches, m => m.setting.key === props.key);
			groupId = localIndex >= 0 ?
				'local' :
				'remote';

			displayIndex = localIndex >= 0 ?
				localIndex :
				remoteResult && (arrays.firstIndex(remoteResult.filterMatches, m => m.setting.key === props.key) + localResult.filterMatches.length);

544 545 546 547 548 549
			if (this.searchResultModel) {
				const rawResults = this.searchResultModel.getRawResults();
				if (rawResults[SearchResultIdx.Remote]) {
					const _nlpIndex = arrays.firstIndex(rawResults[SearchResultIdx.Remote].filterMatches, m => m.setting.key === props.key);
					nlpIndex = _nlpIndex >= 0 ? _nlpIndex : undefined;
				}
550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568
			}
		}

		const reportedTarget = props.settingsTarget === ConfigurationTarget.USER ? 'user' :
			props.settingsTarget === ConfigurationTarget.WORKSPACE ? 'workspace' :
				'folder';

		const data = {
			key: props.key,
			query: props.query,
			groupId,
			nlpIndex,
			displayIndex,
			showConfiguredOnly: props.showConfiguredOnly,
			isReset: props.isReset,
			target: reportedTarget
		};

		/* __GDPR__
569
			"settingsEditor.settingModified" : {
570 571 572 573 574 575 576 577 578 579
				"key" : { "classification": "SystemMetaData", "purpose": "FeatureInsight" },
				"query" : { "classification": "CustomerContent", "purpose": "FeatureInsight" },
				"groupId" : { "classification": "SystemMetaData", "purpose": "FeatureInsight" },
				"nlpIndex" : { "classification": "SystemMetaData", "purpose": "FeatureInsight", "isMeasurement": true },
				"displayIndex" : { "classification": "SystemMetaData", "purpose": "FeatureInsight", "isMeasurement": true },
				"showConfiguredOnly" : { "classification": "SystemMetaData", "purpose": "FeatureInsight" },
				"isReset" : { "classification": "SystemMetaData", "purpose": "FeatureInsight" },
				"target" : { "classification": "SystemMetaData", "purpose": "FeatureInsight" }
			}
		*/
580
		this.telemetryService.publicLog('settingsEditor.settingModified', data);
R
Rob Lourens 已提交
581 582
	}

583
	private render(token: CancellationToken): TPromise<any> {
R
Rob Lourens 已提交
584 585
		if (this.input) {
			return this.input.resolve()
586 587 588 589 590 591
				.then((model: DefaultSettingsEditorModel) => {
					if (token.isCancellationRequested) {
						return void 0;
					}

					this.defaultSettingsEditorModel = model;
592
					this.onConfigUpdate();
593
				});
R
Rob Lourens 已提交
594 595 596 597
		}
		return TPromise.as(null);
	}

598
	private toggleSearchMode(): void {
599 600 601 602
		DOM.removeClass(this.rootElement, 'search-mode');
		if (this.configurationService.getValue('workbench.settings.settingsSearchTocBehavior') === 'hide') {
			DOM.toggleClass(this.rootElement, 'search-mode', !!this.searchResultModel);
		}
603 604
	}

605
	private onConfigUpdate(): TPromise<void> {
606
		const groups = this.defaultSettingsEditorModel.settingsGroups.slice(1); // Without commonlyUsed
607
		const dividedGroups = collections.groupBy(groups, g => g.contributedByExtension ? 'extension' : 'core');
608 609 610 611 612 613 614 615 616 617 618 619 620 621
		const settingsResult = resolveSettingsTree(tocData, dividedGroups.core);
		const resolvedSettingsRoot = settingsResult.tree;

		// Warn for settings not included in layout
		if (settingsResult.leftoverSettings.size && !this.hasWarnedMissingSettings) {
			let settingKeyList = [];
			settingsResult.leftoverSettings.forEach(s => {
				settingKeyList.push(s.key);
			});

			this.logService.warn(`SettingsEditor2: Settings not included in settingsLayout.ts: ${settingKeyList.join(', ')}`);
			this.hasWarnedMissingSettings = true;
		}

622
		const commonlyUsed = resolveSettingsTree(commonlyUsedData, dividedGroups.core);
623
		resolvedSettingsRoot.children.unshift(commonlyUsed.tree);
624

625 626
		resolvedSettingsRoot.children.push(resolveExtensionsSettings(dividedGroups.extension || []));

627 628 629 630
		if (this.searchResultModel) {
			this.searchResultModel.updateChildren();
		}

631 632 633 634
		if (this.settingsTreeModel) {
			this.settingsTreeModel.update(resolvedSettingsRoot);
		} else {
			this.settingsTreeModel = this.instantiationService.createInstance(SettingsTreeModel, this.viewState, resolvedSettingsRoot);
635
			this.settingsTree.setInput(this.settingsTreeModel.root);
636 637 638 639 640 641 642

			this.tocTreeModel.settingsTreeRoot = this.settingsTreeModel.root as SettingsTreeGroupElement;
			if (this.tocTree.getInput()) {
				this.tocTree.refresh();
			} else {
				this.tocTree.setInput(this.tocTreeModel);
			}
643 644 645 646 647
		}

		return this.refreshTreeAndMaintainFocus();
	}

R
Rob Lourens 已提交
648 649 650 651 652 653 654 655
	private refreshTreeAndMaintainFocus(): TPromise<any> {
		// Sort of a hack to maintain focus on the focused control across a refresh
		const focusedRowItem = DOM.findParentWithClass(<HTMLElement>document.activeElement, 'setting-item');
		const focusedRowId = focusedRowItem && focusedRowItem.id;
		const selection = focusedRowId && document.activeElement.tagName.toLowerCase() === 'input' ?
			(<HTMLInputElement>document.activeElement).selectionStart :
			null;

656 657 658
		return this.settingsTree.refresh()
			.then(() => {
				if (focusedRowId) {
659
					this.focusEditControlForRow(focusedRowId, selection);
R
Rob Lourens 已提交
660
				}
661 662 663 664
			})
			.then(() => {
				return this.tocTree.refresh();
			});
665 666
	}

667 668 669 670 671 672 673 674 675 676 677
	private focusEditControlForRow(id: string, selection?: number): void {
		const rowSelector = `.setting-item#${id}`;
		const inputElementToFocus: HTMLElement = this.settingsTreeContainer.querySelector(`${rowSelector} input, ${rowSelector} select, ${rowSelector} a, ${rowSelector} .monaco-custom-checkbox`);
		if (inputElementToFocus) {
			inputElementToFocus.focus();
			if (typeof selection === 'number') {
				(<HTMLInputElement>inputElementToFocus).setSelectionRange(selection, selection);
			}
		}
	}

678
	private onSearchInputChanged(): void {
R
Rob Lourens 已提交
679 680
		const query = this.searchWidget.getValue().trim();
		this.delayedFilterLogging.cancel();
681
		this.triggerSearch(query).then(() => {
682
			if (query && this.searchResultModel) {
683
				this.delayedFilterLogging.trigger(() => this.reportFilteringUsed(query, this.searchResultModel.getUniqueResults()));
684 685
			}
		});
R
Rob Lourens 已提交
686 687 688 689
	}

	private triggerSearch(query: string): TPromise<void> {
		if (query) {
R
Rob Lourens 已提交
690
			return this.searchInProgress = TPromise.join([
R
Rob Lourens 已提交
691
				this.localSearchDelayer.trigger(() => this.localFilterPreferences(query)),
692
				this.remoteSearchThrottle.trigger(() => this.remoteSearchPreferences(query), 500)
R
Rob Lourens 已提交
693 694 695
			]).then(() => {
				this.searchInProgress = null;
			});
R
Rob Lourens 已提交
696 697 698
		} else {
			this.localSearchDelayer.cancel();
			this.remoteSearchThrottle.cancel();
R
Rob Lourens 已提交
699 700 701
			if (this.searchInProgress && this.searchInProgress.cancel) {
				this.searchInProgress.cancel();
			}
R
Rob Lourens 已提交
702

703
			this.searchResultModel = null;
704
			this.tocTreeModel.currentSearchModel = null;
705
			this.viewState.filterToCategory = null;
706
			this.tocTree.refresh();
707
			this.toggleSearchMode();
708
			this.settingsTree.setInput(this.settingsTreeModel.root);
709

R
Rob Lourens 已提交
710 711 712 713
			return TPromise.wrap(null);
		}
	}

R
Rob Lourens 已提交
714 715 716 717 718 719
	private expandAll(tree: ITree): void {
		const nav = tree.getNavigator();
		let cur;
		while (cur = nav.next()) {
			tree.expand(cur);
		}
720 721
	}

722 723 724 725 726 727 728 729 730 731
	private reportFilteringUsed(query: string, results: ISearchResult[]): void {
		const nlpResult = results[SearchResultIdx.Remote];
		const nlpMetadata = nlpResult && nlpResult.metadata;

		const durations = {};
		durations['nlpResult'] = nlpMetadata && nlpMetadata.duration;

		// Count unique results
		const counts = {};
		const filterResult = results[SearchResultIdx.Local];
732 733 734 735
		if (filterResult) {
			counts['filterResult'] = filterResult.filterMatches.length;
		}

736 737
		if (nlpResult) {
			counts['nlpResult'] = nlpResult.filterMatches.length;
738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757
		}

		const requestCount = nlpMetadata && nlpMetadata.requestCount;

		const data = {
			query,
			durations,
			counts,
			requestCount
		};

		/* __GDPR__
			"settingsEditor.filter" : {
				"query": { "classification": "CustomerContent", "purpose": "FeatureInsight" },
				"durations.nlpResult" : { "classification": "SystemMetaData", "purpose": "FeatureInsight", "isMeasurement": true },
				"counts.nlpResult" : { "classification": "SystemMetaData", "purpose": "FeatureInsight", "isMeasurement": true },
				"counts.filterResult" : { "classification": "SystemMetaData", "purpose": "FeatureInsight", "isMeasurement": true },
				"requestCount" : { "classification": "SystemMetaData", "purpose": "FeatureInsight", "isMeasurement": true }
			}
		*/
758
		this.telemetryService.publicLog('settingsEditor.filter', data);
759 760
	}

R
Rob Lourens 已提交
761
	private localFilterPreferences(query: string): TPromise<void> {
762 763
		const localSearchProvider = this.preferencesSearchService.getLocalSearchProvider(query);
		return this.filterOrSearchPreferences(query, SearchResultIdx.Local, localSearchProvider);
R
Rob Lourens 已提交
764 765 766
	}

	private remoteSearchPreferences(query: string): TPromise<void> {
767 768
		const remoteSearchProvider = this.preferencesSearchService.getRemoteSearchProvider(query);
		return this.filterOrSearchPreferences(query, SearchResultIdx.Remote, remoteSearchProvider);
R
Rob Lourens 已提交
769 770 771 772 773
	}

	private filterOrSearchPreferences(query: string, type: SearchResultIdx, searchProvider: ISearchProvider): TPromise<void> {
		const filterPs: TPromise<ISearchResult>[] = [this._filterOrSearchPreferencesModel(query, this.defaultSettingsEditorModel, searchProvider)];

R
Rob Lourens 已提交
774 775 776 777 778 779 780
		let isCanceled = false;
		return new TPromise(resolve => {
			return TPromise.join(filterPs).then(results => {
				if (isCanceled) {
					// Handle cancellation like this because cancellation is lost inside the search provider due to async/await
					return null;
				}
781

R
Rob Lourens 已提交
782 783
				const [result] = results;
				if (!this.searchResultModel) {
784
					this.searchResultModel = this.instantiationService.createInstance(SearchResultModel, this.viewState);
785
					this.searchResultModel.setResult(type, result);
786
					this.tocTreeModel.currentSearchModel = this.searchResultModel;
787
					this.toggleSearchMode();
R
Rob Lourens 已提交
788
					this.settingsTree.setInput(this.searchResultModel);
789 790
				} else {
					this.searchResultModel.setResult(type, result);
R
Rob Lourens 已提交
791 792
				}

793
				this.tocTreeModel.update();
R
Rob Lourens 已提交
794 795 796 797
				resolve(this.refreshTreeAndMaintainFocus());
			});
		}, () => {
			isCanceled = true;
R
Rob Lourens 已提交
798 799 800 801 802 803 804 805 806 807 808
		});
	}

	private _filterOrSearchPreferencesModel(filter: string, model: ISettingsEditorModel, provider: ISearchProvider): TPromise<ISearchResult> {
		const searchP = provider ? provider.searchModel(model) : TPromise.wrap(null);
		return searchP
			.then<ISearchResult>(null, err => {
				if (isPromiseCanceledError(err)) {
					return TPromise.wrapError(err);
				} else {
					/* __GDPR__
809
						"settingsEditor.searchError" : {
R
Rob Lourens 已提交
810 811 812 813 814 815 816
							"message": { "classification": "CallstackOrException", "purpose": "FeatureInsight" },
							"filter": { "classification": "SystemMetaData", "purpose": "FeatureInsight" }
						}
					*/
					const message = getErrorMessage(err).trim();
					if (message && message !== 'Error') {
						// "Error" = any generic network error
817
						this.telemetryService.publicLog('settingsEditor.searchError', { message, filter });
R
Rob Lourens 已提交
818 819 820 821 822 823 824
						this.logService.info('Setting search error: ' + message);
					}
					return null;
				}
			});
	}

825
	private layoutTrees(dimension: DOM.Dimension): void {
826
		const listHeight = dimension.height - (DOM.getDomNodePagePosition(this.headerContainer).height + 11 /*padding*/);
827 828
		this.settingsTreeContainer.style.height = `${listHeight}px`;
		this.settingsTree.layout(listHeight, 800);
829

830 831 832 833 834
		const selectedSetting = this.settingsTree.getSelection()[0];
		if (selectedSetting) {
			this.settingsTree.refresh(selectedSetting);
		}

835 836
		this.tocTreeContainer.style.height = `${listHeight}px`;
		this.tocTree.layout(listHeight, 175);
837
	}
R
Rob Lourens 已提交
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

class OpenSettingsAction extends Action {
	static readonly ID = 'settings.openSettingsJson';
	static readonly LABEL = localize('openSettingsJsonLabel', "Open settings.json for advanced customizations");

	constructor(
		@IPreferencesService private readonly preferencesService: IPreferencesService,
	) {
		super(OpenSettingsAction.ID, OpenSettingsAction.LABEL, 'open-settings-json');
	}


	run(context?: SettingsTarget): TPromise<void> {
		return this._run(context)
			.then(() => { });
	}

	private _run(context?: SettingsTarget): TPromise<any> {
		if (context === ConfigurationTarget.USER) {
			return this.preferencesService.openGlobalSettings();
		} else if (context === ConfigurationTarget.WORKSPACE) {
			return this.preferencesService.openWorkspaceSettings();
		} else if (URI.isUri(context)) {
			return this.preferencesService.openFolderSettings(context);
		}

		return TPromise.wrap(null);
	}
}

class ToggleShowModifiedOnlyAction extends Action {
	static readonly ID = 'settings.toggleShowModifiedOnly';
	static readonly LABEL = localize('showModifiedOnlyLabel', "Show modified settings only");

	get checked(): boolean {
		return this.viewState.showConfiguredOnly;
	}

	constructor(
		private settingsEditor: SettingsEditor2,
		private viewState: ISettingsEditorViewState
	) {
		super(ToggleShowModifiedOnlyAction.ID, ToggleShowModifiedOnlyAction.LABEL, 'show-modified-only');
	}

	run(): TPromise<void> {
		return this.settingsEditor.toggleShowModifiedOnly();
	}
}