settingsEditor2.ts 30.5 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
import * as arrays from 'vs/base/common/arrays';
R
Rob Lourens 已提交
9
import { Delayer, ThrottledDelayer } from 'vs/base/common/async';
R
Rob Lourens 已提交
10
import { CancellationToken } from 'vs/base/common/cancellation';
R
Rob Lourens 已提交
11
import * as collections from 'vs/base/common/collections';
R
Rob Lourens 已提交
12
import { Color } from 'vs/base/common/color';
13
import { getErrorMessage, isPromiseCanceledError } from 'vs/base/common/errors';
R
Rob Lourens 已提交
14
import URI from 'vs/base/common/uri';
R
Rob Lourens 已提交
15
import { TPromise } from 'vs/base/common/winjs.base';
16
import { ITree, ITreeConfiguration } from 'vs/base/parts/tree/browser/tree';
17
import { DefaultTreestyler, OpenMode } from 'vs/base/parts/tree/browser/treeDefaults';
R
Rob Lourens 已提交
18 19
import 'vs/css!./media/settingsEditor2';
import { localize } from 'vs/nls';
R
Rob Lourens 已提交
20
import { ConfigurationTarget, IConfigurationOverrides, IConfigurationService } from 'vs/platform/configuration/common/configuration';
R
Rob Lourens 已提交
21 22
import { IContextKey, IContextKeyService } from 'vs/platform/contextkey/common/contextkey';
import { IEnvironmentService } from 'vs/platform/environment/common/environment';
R
Rob Lourens 已提交
23
import { IInstantiationService } from 'vs/platform/instantiation/common/instantiation';
24
import { WorkbenchTree, WorkbenchTreeController } from 'vs/platform/list/browser/listService';
25
import { ILogService } from 'vs/platform/log/common/log';
R
Rob Lourens 已提交
26
import { ITelemetryService } from 'vs/platform/telemetry/common/telemetry';
27
import { editorBackground, foreground, listActiveSelectionBackground, listInactiveSelectionBackground } from 'vs/platform/theme/common/colorRegistry';
28 29
import { attachButtonStyler, attachStyler } from 'vs/platform/theme/common/styler';
import { ICssStyleCollector, ITheme, IThemeService, registerThemingParticipant } from 'vs/platform/theme/common/themeService';
R
Rob Lourens 已提交
30
import { BaseEditor } from 'vs/workbench/browser/parts/editor/baseEditor';
31
import { EditorOptions, IEditor } from 'vs/workbench/common/editor';
32
import { SearchWidget, SettingsTarget, SettingsTargetsWidget } from 'vs/workbench/parts/preferences/browser/preferencesWidgets';
R
Rob Lourens 已提交
33 34
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';
35
import { TOCDataSource, TOCRenderer, TOCTreeModel } from 'vs/workbench/parts/preferences/browser/tocTree';
36
import { CONTEXT_SETTINGS_EDITOR, CONTEXT_SETTINGS_FIRST_ROW_FOCUS, CONTEXT_SETTINGS_SEARCH_FOCUS, IPreferencesSearchService, ISearchProvider } from 'vs/workbench/parts/preferences/common/preferences';
37
import { IPreferencesService, ISearchResult, ISettingsEditorModel } from 'vs/workbench/services/preferences/common/preferences';
38
import { SettingsEditor2Input } from 'vs/workbench/services/preferences/common/preferencesEditorInput';
R
Rob Lourens 已提交
39
import { DefaultSettingsEditorModel } from 'vs/workbench/services/preferences/common/preferencesModels';
R
Rob Lourens 已提交
40

41 42
const $ = DOM.$;

R
Rob Lourens 已提交
43 44 45 46 47 48
export class SettingsEditor2 extends BaseEditor {

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

	private defaultSettingsEditorModel: DefaultSettingsEditorModel;

49
	private rootElement: HTMLElement;
R
Rob Lourens 已提交
50 51 52 53
	private headerContainer: HTMLElement;
	private searchWidget: SearchWidget;
	private settingsTargetsWidget: SettingsTargetsWidget;

54
	private showConfiguredSettingsOnlyCheckbox: HTMLInputElement;
R
Rob Lourens 已提交
55

56 57 58
	private settingsTreeContainer: HTMLElement;
	private settingsTree: WorkbenchTree;
	private treeDataSource: SettingsDataSource;
59
	private tocTreeModel: TOCTreeModel;
60
	private settingsTreeModel: SettingsTreeModel;
R
Rob Lourens 已提交
61

R
Rob Lourens 已提交
62 63 64
	private tocTreeContainer: HTMLElement;
	private tocTree: WorkbenchTree;

R
Rob Lourens 已提交
65 66 67
	private delayedFilterLogging: Delayer<void>;
	private localSearchDelayer: Delayer<void>;
	private remoteSearchThrottle: ThrottledDelayer<void>;
R
Rob Lourens 已提交
68
	private searchInProgress: TPromise<void>;
R
Rob Lourens 已提交
69

70 71
	private settingUpdateDelayer: Delayer<void>;
	private pendingSettingUpdate: { key: string, value: any };
R
Rob Lourens 已提交
72

73
	private selectedElement: SettingsTreeElement;
74

75
	private viewState: ISettingsEditorViewState;
76
	private searchResultModel: SearchResultModel;
77 78

	private firstRowFocused: IContextKey<boolean>;
79 80
	private inSettingsEditorContextKey: IContextKey<boolean>;
	private searchFocusContextKey: IContextKey<boolean>;
81

R
Rob Lourens 已提交
82 83 84 85 86
	constructor(
		@ITelemetryService telemetryService: ITelemetryService,
		@IConfigurationService private configurationService: IConfigurationService,
		@IThemeService themeService: IThemeService,
		@IPreferencesService private preferencesService: IPreferencesService,
R
Rob Lourens 已提交
87 88
		@IInstantiationService private instantiationService: IInstantiationService,
		@IPreferencesSearchService private preferencesSearchService: IPreferencesSearchService,
89
		@ILogService private logService: ILogService,
90 91
		@IEnvironmentService private environmentService: IEnvironmentService,
		@IContextKeyService contextKeyService: IContextKeyService
R
Rob Lourens 已提交
92 93
	) {
		super(SettingsEditor2.ID, telemetryService, themeService);
R
Rob Lourens 已提交
94 95 96
		this.delayedFilterLogging = new Delayer<void>(1000);
		this.localSearchDelayer = new Delayer(100);
		this.remoteSearchThrottle = new ThrottledDelayer(200);
97
		this.viewState = { settingsTarget: ConfigurationTarget.USER };
R
Rob Lourens 已提交
98

99 100
		this.settingUpdateDelayer = new Delayer<void>(500);

101 102
		this.inSettingsEditorContextKey = CONTEXT_SETTINGS_EDITOR.bindTo(contextKeyService);
		this.searchFocusContextKey = CONTEXT_SETTINGS_SEARCH_FOCUS.bindTo(contextKeyService);
103
		this.firstRowFocused = CONTEXT_SETTINGS_FIRST_ROW_FOCUS.bindTo(contextKeyService);
104

105 106 107 108 109 110 111
		this._register(configurationService.onDidChangeConfiguration(e => {
			this.onConfigUpdate();

			if (e.affectsConfiguration('workbench.settings.tocVisible')) {
				this.updateTOCVisible();
			}
		}));
R
Rob Lourens 已提交
112 113 114
	}

	createEditor(parent: HTMLElement): void {
115
		this.rootElement = DOM.append(parent, $('.settings-editor'));
R
Rob Lourens 已提交
116

117 118
		this.createHeader(this.rootElement);
		this.createBody(this.rootElement);
R
Rob Lourens 已提交
119 120
	}

121
	setInput(input: SettingsEditor2Input, options: EditorOptions, token: CancellationToken): Thenable<void> {
122
		this.inSettingsEditorContextKey.set(true);
123
		return super.setInput(input, options, token)
R
Rob Lourens 已提交
124
			.then(() => {
125
				this.render(token);
R
Rob Lourens 已提交
126 127 128
			});
	}

129 130 131 132 133
	clearInput(): void {
		this.inSettingsEditorContextKey.set(false);
		super.clearInput();
	}

R
Rob Lourens 已提交
134 135
	layout(dimension: DOM.Dimension): void {
		this.searchWidget.layout(dimension);
136
		this.layoutSettingsList(dimension);
R
Rob Lourens 已提交
137 138 139
	}

	focus(): void {
140 141 142
		this.focusSearch();
	}

143 144 145 146 147 148 149 150 151 152 153
	focusSettings(): void {
		const selection = this.settingsTree.getSelection();
		if (selection && selection[0]) {
			this.settingsTree.setFocus(selection[0]);
		} else {
			this.settingsTree.focusFirst();
		}

		this.settingsTree.domFocus();
	}

154
	focusSearch(): void {
R
Rob Lourens 已提交
155 156 157
		this.searchWidget.focus();
	}

158 159 160 161
	clearSearchResults(): void {
		this.searchWidget.clear();
	}

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

165
		const previewHeader = DOM.append(this.headerContainer, $('.settings-preview-header'));
R
Rob Lourens 已提交
166 167 168 169 170

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

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

R
Rob Lourens 已提交
173 174 175
		const searchContainer = DOM.append(this.headerContainer, $('.search-container'));
		this.searchWidget = this._register(this.instantiationService.createInstance(SearchWidget, searchContainer, {
			ariaLabel: localize('SearchSettings.AriaLabel', "Search settings"),
176 177
			placeholder: localize('SearchSettings.Placeholder', "Search settings"),
			focusKey: this.searchFocusContextKey
R
Rob Lourens 已提交
178
		}));
179
		this._register(this.searchWidget.onDidChange(() => this.onSearchInputChanged()));
R
Rob Lourens 已提交
180

181 182 183 184 185 186 187 188 189 190 191 192 193 194
		const advancedCustomization = DOM.append(this.headerContainer, $('.settings-advanced-customization'));
		const advancedCustomizationLabel = DOM.append(advancedCustomization, $('span.settings-advanced-customization-label'));
		advancedCustomizationLabel.textContent = localize('advancedCustomizationLabel', "For advanced customizations open and edit") + ' ';
		const openSettingsButton = this._register(new Button(advancedCustomization, { title: true, buttonBackground: null, buttonHoverBackground: null }));
		this._register(attachButtonStyler(openSettingsButton, this.themeService, {
			buttonBackground: Color.transparent.toString(),
			buttonHoverBackground: Color.transparent.toString(),
			buttonForeground: foreground
		}));
		openSettingsButton.label = localize('openSettingsLabel', "settings.json");
		openSettingsButton.element.classList.add('open-settings-button');

		this._register(openSettingsButton.onDidClick(() => this.openSettingsFile()));

195
		const headerControlsContainer = DOM.append(this.headerContainer, $('.settings-header-controls'));
R
Rob Lourens 已提交
196 197 198
		const targetWidgetContainer = DOM.append(headerControlsContainer, $('.settings-target-container'));
		this.settingsTargetsWidget = this._register(this.instantiationService.createInstance(SettingsTargetsWidget, targetWidgetContainer));
		this.settingsTargetsWidget.settingsTarget = ConfigurationTarget.USER;
199 200
		this.settingsTargetsWidget.onDidTargetChange(() => {
			this.viewState.settingsTarget = this.settingsTargetsWidget.settingsTarget;
201 202 203

			this.settingsTreeModel.update();
			this.refreshTreeAndMaintainFocus();
204
		});
R
Rob Lourens 已提交
205

206
		this.createHeaderControls(headerControlsContainer);
R
Rob Lourens 已提交
207 208
	}

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

212 213 214
		this.showConfiguredSettingsOnlyCheckbox = DOM.append(headerControlsContainerRight, $('input#configured-only-checkbox'));
		this.showConfiguredSettingsOnlyCheckbox.type = 'checkbox';
		const showConfiguredSettingsOnlyLabel = <HTMLLabelElement>DOM.append(headerControlsContainerRight, $('label.configured-only-label'));
215
		showConfiguredSettingsOnlyLabel.textContent = localize('showOverriddenOnly', "Show modified only");
216
		showConfiguredSettingsOnlyLabel.htmlFor = 'configured-only-checkbox';
217

218
		this._register(DOM.addDisposableListener(this.showConfiguredSettingsOnlyCheckbox, 'change', e => this.onShowConfiguredOnlyClicked()));
219 220 221 222 223 224 225 226 227 228 229 230
	}

	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 已提交
231 232 233 234 235
	}

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

236
		this.createTOC(bodyContainer);
R
Rob Lourens 已提交
237
		this.createSettingsTree(bodyContainer);
238 239 240 241

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

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

247 248 249
		const tocDataSource = this.instantiationService.createInstance(TOCDataSource);
		const tocRenderer = this.instantiationService.createInstance(TOCRenderer);
		this.tocTreeModel = new TOCTreeModel();
R
Rob Lourens 已提交
250 251 252

		this.tocTree = this.instantiationService.createInstance(WorkbenchTree, this.tocTreeContainer,
			<ITreeConfiguration>{
253 254
				dataSource: tocDataSource,
				renderer: tocRenderer,
255
				controller: this.instantiationService.createInstance(WorkbenchTreeController, { openMode: OpenMode.DOUBLE_CLICK }),
256
				filter: this.instantiationService.createInstance(SettingsTreeFilter, this.viewState)
R
Rob Lourens 已提交
257 258
			},
			{
259 260
				showLoading: false,
				twistiePixels: 15
R
Rob Lourens 已提交
261 262 263
			});

		this._register(this.tocTree.onDidChangeSelection(e => {
264 265 266 267 268
			if (this.searchResultModel) {
				const element = e.selection[0];
				this.viewState.filterToCategory = element;
				this.refreshTreeAndMaintainFocus();
			} else if (this.settingsTreeModel) {
269
				const element = e.selection[0];
R
Rob Lourens 已提交
270
				if (element && !e.payload.fromScroll) {
271 272 273
					this.settingsTree.reveal(element, 0);
					this.settingsTree.setSelection([element]);
					this.settingsTree.setFocus(element);
R
Rob Lourens 已提交
274
					this.settingsTree.domFocus();
275
				}
276
			}
R
Rob Lourens 已提交
277
		}));
278 279 280 281 282 283 284

		this.updateTOCVisible();
	}

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

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

290
		this.treeDataSource = this.instantiationService.createInstance(SettingsDataSource, this.viewState);
291
		const renderer = this.instantiationService.createInstance(SettingsRenderer, this.settingsTreeContainer);
292
		this._register(renderer.onDidChangeSetting(e => this.onDidChangeSetting(e.key, e.value)));
293
		this._register(renderer.onDidOpenSettings(() => this.openSettingsFile()));
294

295
		const treeClass = 'settings-editor-tree';
296
		this.settingsTree = this.instantiationService.createInstance(NonExpandableTree, this.settingsTreeContainer,
297
			<ITreeConfiguration>{
298
				dataSource: this.treeDataSource,
R
Rob Lourens 已提交
299
				renderer,
300 301
				controller: this.instantiationService.createInstance(SettingsTreeController),
				accessibilityProvider: this.instantiationService.createInstance(SettingsAccessibilityProvider),
302 303
				filter: this.instantiationService.createInstance(SettingsTreeFilter, this.viewState),
				styler: new DefaultTreestyler(DOM.createStyleSheet(), treeClass)
304 305 306 307
			},
			{
				ariaLabel: localize('treeAriaLabel', "Settings"),
				showLoading: false,
308 309
				indentPixels: 0,
				twistiePixels: 0,
310
			});
311

312
		this._register(registerThemingParticipant((theme: ITheme, collector: ICssStyleCollector) => {
313 314
			const activeBorderColor = theme.getColor(listActiveSelectionBackground);
			if (activeBorderColor) {
315
				collector.addRule(`.settings-editor > .settings-body > .settings-tree-container .monaco-tree:focus .monaco-tree-row.focused {outline: solid 1px ${activeBorderColor}; outline-offset: -1px; }`);
316 317
			}

318 319
			const inactiveBorderColor = theme.getColor(listInactiveSelectionBackground);
			if (inactiveBorderColor) {
320
				collector.addRule(`.settings-editor > .settings-body > .settings-tree-container .monaco-tree .monaco-tree-row.focused {outline: solid 1px ${inactiveBorderColor}; outline-offset: -1px; }`);
321
			}
322 323
		}));

324 325
		this.settingsTree.getHTMLElement().classList.add(treeClass);

326
		this._register(attachStyler(this.themeService, {
327 328 329 330 331 332 333 334 335 336
			listActiveSelectionBackground: editorBackground,
			listActiveSelectionForeground: foreground,
			listFocusAndSelectionBackground: editorBackground,
			listFocusAndSelectionForeground: foreground,
			listFocusBackground: editorBackground,
			listFocusForeground: foreground,
			listHoverForeground: foreground,
			listHoverBackground: editorBackground,
			listInactiveSelectionBackground: editorBackground,
			listInactiveSelectionForeground: foreground
337 338
		}, colors => {
			this.settingsTree.style(colors);
339
		}));
340

341
		this._register(this.settingsTree.onDidChangeFocus(e => {
342
			this.settingsTree.setSelection([e.focus]);
343 344
			if (this.selectedElement) {
				this.settingsTree.refresh(this.selectedElement);
345
			}
346

347 348
			if (e.focus) {
				this.settingsTree.refresh(e.focus);
349
			}
350 351

			this.selectedElement = e.focus;
352 353
		}));

354
		this._register(this.settingsTree.onDidChangeSelection(e => {
355
			this.updateTreeScrollSync();
356 357 358 359 360 361 362 363 364 365 366 367 368

			let firstRowFocused = false;
			const selection: SettingsTreeElement = e.selection[0];
			if (selection) {
				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;
				}
			}

			this.firstRowFocused.set(firstRowFocused);
369
		}));
370

371 372
		this._register(this.settingsTree.onDidScroll(() => {
			this.updateTreeScrollSync();
373
		}));
374 375
	}

376 377 378 379 380 381 382 383 384 385 386 387
	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');
		}));
	}

388
	private onShowConfiguredOnlyClicked(): void {
389
		this.viewState.showConfiguredOnly = this.showConfiguredSettingsOnlyCheckbox.checked;
R
Rob Lourens 已提交
390
		this.refreshTreeAndMaintainFocus();
391 392
		this.tocTree.refresh();
		this.settingsTree.setScrollPosition(0);
393
		this.expandAll(this.settingsTree);
394 395
	}

R
Rob Lourens 已提交
396
	private onDidChangeSetting(key: string, value: any): void {
397 398
		if (this.pendingSettingUpdate && this.pendingSettingUpdate.key !== key) {
			this.updateChangedSetting(key, value);
399 400
		}

401 402 403 404
		this.pendingSettingUpdate = { key, value };
		this.settingUpdateDelayer.trigger(() => this.updateChangedSetting(key, value));
	}

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
	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);
			}

			this.tocTree.setSelection([element], { fromScroll: true });
			this.tocTree.setFocus(element);
		}
	}

440 441 442
	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 已提交
443 444 445 446 447 448 449 450 451 452 453 454
		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)
455 456 457 458 459 460 461 462 463 464 465 466 467 468
			.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);
			});
469 470 471
	}

	private reportModifiedSetting(props: { key: string, query: string, searchResults: ISearchResult[], rawResults: ISearchResult[], showConfiguredOnly: boolean, isReset: boolean, settingsTarget: SettingsTarget }): void {
472
		this.pendingSettingUpdate = null;
473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489

		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);

490 491 492 493 494 495
			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;
				}
496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514
			}
		}

		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__
515
			"settingsEditor.settingModified" : {
516 517 518 519 520 521 522 523 524 525
				"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" }
			}
		*/
526
		this.telemetryService.publicLog('settingsEditor.settingModified', data);
R
Rob Lourens 已提交
527 528
	}

529
	private render(token: CancellationToken): TPromise<any> {
R
Rob Lourens 已提交
530 531
		if (this.input) {
			return this.input.resolve()
532 533 534 535 536 537
				.then((model: DefaultSettingsEditorModel) => {
					if (token.isCancellationRequested) {
						return void 0;
					}

					this.defaultSettingsEditorModel = model;
538
					this.onConfigUpdate();
539
				});
R
Rob Lourens 已提交
540 541 542 543
		}
		return TPromise.as(null);
	}

544
	private toggleSearchMode(): void {
545 546 547 548
		DOM.removeClass(this.rootElement, 'search-mode');
		if (this.configurationService.getValue('workbench.settings.settingsSearchTocBehavior') === 'hide') {
			DOM.toggleClass(this.rootElement, 'search-mode', !!this.searchResultModel);
		}
549 550
	}

551
	private onConfigUpdate(): TPromise<void> {
552
		const groups = this.defaultSettingsEditorModel.settingsGroups.slice(1); // Without commonlyUsed
553 554 555
		const dividedGroups = collections.groupBy(groups, g => g.contributedByExtension ? 'extension' : 'core');
		const resolvedSettingsRoot = resolveSettingsTree(tocData, dividedGroups.core);
		const commonlyUsed = resolveSettingsTree(commonlyUsedData, dividedGroups.core);
556 557
		resolvedSettingsRoot.children.unshift(commonlyUsed);

558 559
		resolvedSettingsRoot.children.push(resolveExtensionsSettings(dividedGroups.extension || []));

560 561 562 563
		if (this.settingsTreeModel) {
			this.settingsTreeModel.update(resolvedSettingsRoot);
		} else {
			this.settingsTreeModel = this.instantiationService.createInstance(SettingsTreeModel, this.viewState, resolvedSettingsRoot);
564
			this.settingsTree.setInput(this.settingsTreeModel.root);
565 566 567 568 569 570 571

			this.tocTreeModel.settingsTreeRoot = this.settingsTreeModel.root as SettingsTreeGroupElement;
			if (this.tocTree.getInput()) {
				this.tocTree.refresh();
			} else {
				this.tocTree.setInput(this.tocTreeModel);
			}
572 573 574 575 576
		}

		return this.refreshTreeAndMaintainFocus();
	}

R
Rob Lourens 已提交
577 578 579 580 581 582 583 584
	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;

585 586 587 588
		return this.settingsTree.refresh()
			.then(() => {
				if (focusedRowId) {
					const rowSelector = `.setting-item#${focusedRowId}`;
589
					const inputElementToFocus: HTMLElement = this.settingsTreeContainer.querySelector(`${rowSelector} input, ${rowSelector} select, ${rowSelector} a, ${rowSelector} .monaco-custom-checkbox`);
590 591 592 593 594
					if (inputElementToFocus) {
						inputElementToFocus.focus();
						if (typeof selection === 'number') {
							(<HTMLInputElement>inputElementToFocus).setSelectionRange(selection, selection);
						}
R
Rob Lourens 已提交
595 596
					}
				}
597 598 599 600
			})
			.then(() => {
				return this.tocTree.refresh();
			});
601 602
	}

603
	private onSearchInputChanged(): void {
R
Rob Lourens 已提交
604 605
		const query = this.searchWidget.getValue().trim();
		this.delayedFilterLogging.cancel();
606
		this.triggerSearch(query).then(() => {
607
			if (query && this.searchResultModel) {
608
				this.delayedFilterLogging.trigger(() => this.reportFilteringUsed(query, this.searchResultModel.getUniqueResults()));
609 610
			}
		});
R
Rob Lourens 已提交
611 612 613 614
	}

	private triggerSearch(query: string): TPromise<void> {
		if (query) {
R
Rob Lourens 已提交
615
			return this.searchInProgress = TPromise.join([
R
Rob Lourens 已提交
616
				this.localSearchDelayer.trigger(() => this.localFilterPreferences(query)),
617
				this.remoteSearchThrottle.trigger(() => this.remoteSearchPreferences(query), 500)
R
Rob Lourens 已提交
618 619 620
			]).then(() => {
				this.searchInProgress = null;
			});
R
Rob Lourens 已提交
621 622 623
		} else {
			this.localSearchDelayer.cancel();
			this.remoteSearchThrottle.cancel();
R
Rob Lourens 已提交
624 625 626
			if (this.searchInProgress && this.searchInProgress.cancel) {
				this.searchInProgress.cancel();
			}
R
Rob Lourens 已提交
627

628
			this.searchResultModel = null;
629
			this.tocTreeModel.currentSearchModel = null;
630
			this.viewState.filterToCategory = null;
631
			this.tocTree.refresh();
632
			this.toggleSearchMode();
633
			this.settingsTree.setInput(this.settingsTreeModel.root);
634

R
Rob Lourens 已提交
635 636 637 638
			return TPromise.wrap(null);
		}
	}

R
Rob Lourens 已提交
639 640 641 642 643 644
	private expandAll(tree: ITree): void {
		const nav = tree.getNavigator();
		let cur;
		while (cur = nav.next()) {
			tree.expand(cur);
		}
645 646
	}

647 648 649 650 651 652 653 654 655 656 657
	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];
		counts['filterResult'] = filterResult.filterMatches.length;
658 659
		if (nlpResult) {
			counts['nlpResult'] = nlpResult.filterMatches.length;
660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679
		}

		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 }
			}
		*/
680
		this.telemetryService.publicLog('settingsEditor.filter', data);
681 682
	}

R
Rob Lourens 已提交
683
	private localFilterPreferences(query: string): TPromise<void> {
684 685
		const localSearchProvider = this.preferencesSearchService.getLocalSearchProvider(query);
		return this.filterOrSearchPreferences(query, SearchResultIdx.Local, localSearchProvider);
R
Rob Lourens 已提交
686 687 688
	}

	private remoteSearchPreferences(query: string): TPromise<void> {
689 690
		const remoteSearchProvider = this.preferencesSearchService.getRemoteSearchProvider(query);
		return this.filterOrSearchPreferences(query, SearchResultIdx.Remote, remoteSearchProvider);
R
Rob Lourens 已提交
691 692 693 694 695
	}

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

R
Rob Lourens 已提交
696 697 698 699 700 701 702
		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;
				}
703

R
Rob Lourens 已提交
704 705
				const [result] = results;
				if (!this.searchResultModel) {
706
					this.searchResultModel = this.instantiationService.createInstance(SearchResultModel, this.viewState);
707
					this.tocTreeModel.currentSearchModel = this.searchResultModel;
708
					this.toggleSearchMode();
R
Rob Lourens 已提交
709 710 711 712
					this.settingsTree.setInput(this.searchResultModel);
				}

				this.searchResultModel.setResult(type, result);
713
				this.tocTreeModel.update();
R
Rob Lourens 已提交
714 715 716 717
				resolve(this.refreshTreeAndMaintainFocus());
			});
		}, () => {
			isCanceled = true;
R
Rob Lourens 已提交
718 719 720 721 722 723 724 725 726 727 728
		});
	}

	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__
729
						"settingsEditor.searchError" : {
R
Rob Lourens 已提交
730 731 732 733 734 735 736
							"message": { "classification": "CallstackOrException", "purpose": "FeatureInsight" },
							"filter": { "classification": "SystemMetaData", "purpose": "FeatureInsight" }
						}
					*/
					const message = getErrorMessage(err).trim();
					if (message && message !== 'Error') {
						// "Error" = any generic network error
737
						this.telemetryService.publicLog('settingsEditor.searchError', { message, filter });
R
Rob Lourens 已提交
738 739 740 741 742 743 744
						this.logService.info('Setting search error: ' + message);
					}
					return null;
				}
			});
	}

745 746
	private layoutSettingsList(dimension: DOM.Dimension): void {
		const listHeight = dimension.height - (DOM.getDomNodePagePosition(this.headerContainer).height + 12 /*padding*/);
747 748
		this.settingsTreeContainer.style.height = `${listHeight}px`;
		this.settingsTree.layout(listHeight, 800);
749 750 751 752

		const tocHeight = listHeight - 5; // padding
		this.tocTreeContainer.style.height = `${tocHeight}px`;
		this.tocTree.layout(tocHeight, 175);
753
	}
R
Rob Lourens 已提交
754
}