settingsEditor2.ts 30.8 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 162 163 164 165
	editSelectedSetting(): void {
		const focus = this.settingsTree.getFocus();
		if (focus instanceof SettingsTreeSettingElement) {
			const itemId = focus.id.replace(/\./g, '_');
			this.focusEditControlForRow(itemId);
		}
	}

166 167 168 169
	clearSearchResults(): void {
		this.searchWidget.clear();
	}

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

173
		const previewHeader = DOM.append(this.headerContainer, $('.settings-preview-header'));
R
Rob Lourens 已提交
174 175 176 177 178

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

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

R
Rob Lourens 已提交
181 182 183
		const searchContainer = DOM.append(this.headerContainer, $('.search-container'));
		this.searchWidget = this._register(this.instantiationService.createInstance(SearchWidget, searchContainer, {
			ariaLabel: localize('SearchSettings.AriaLabel', "Search settings"),
184 185
			placeholder: localize('SearchSettings.Placeholder', "Search settings"),
			focusKey: this.searchFocusContextKey
R
Rob Lourens 已提交
186
		}));
187
		this._register(this.searchWidget.onDidChange(() => this.onSearchInputChanged()));
R
Rob Lourens 已提交
188

189 190 191 192 193 194 195 196 197 198 199 200 201 202
		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()));

203
		const headerControlsContainer = DOM.append(this.headerContainer, $('.settings-header-controls'));
R
Rob Lourens 已提交
204 205 206
		const targetWidgetContainer = DOM.append(headerControlsContainer, $('.settings-target-container'));
		this.settingsTargetsWidget = this._register(this.instantiationService.createInstance(SettingsTargetsWidget, targetWidgetContainer));
		this.settingsTargetsWidget.settingsTarget = ConfigurationTarget.USER;
207 208
		this.settingsTargetsWidget.onDidTargetChange(() => {
			this.viewState.settingsTarget = this.settingsTargetsWidget.settingsTarget;
209 210 211

			this.settingsTreeModel.update();
			this.refreshTreeAndMaintainFocus();
212
		});
R
Rob Lourens 已提交
213

214
		this.createHeaderControls(headerControlsContainer);
R
Rob Lourens 已提交
215 216
	}

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

220 221 222
		this.showConfiguredSettingsOnlyCheckbox = DOM.append(headerControlsContainerRight, $('input#configured-only-checkbox'));
		this.showConfiguredSettingsOnlyCheckbox.type = 'checkbox';
		const showConfiguredSettingsOnlyLabel = <HTMLLabelElement>DOM.append(headerControlsContainerRight, $('label.configured-only-label'));
223
		showConfiguredSettingsOnlyLabel.textContent = localize('showOverriddenOnly', "Show modified only");
224
		showConfiguredSettingsOnlyLabel.htmlFor = 'configured-only-checkbox';
225

226
		this._register(DOM.addDisposableListener(this.showConfiguredSettingsOnlyCheckbox, 'change', e => this.onShowConfiguredOnlyClicked()));
227 228 229 230 231 232 233 234 235 236 237 238
	}

	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 已提交
239 240 241 242 243
	}

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

244
		this.createTOC(bodyContainer);
R
Rob Lourens 已提交
245
		this.createSettingsTree(bodyContainer);
246 247 248 249

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

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

255 256 257
		const tocDataSource = this.instantiationService.createInstance(TOCDataSource);
		const tocRenderer = this.instantiationService.createInstance(TOCRenderer);
		this.tocTreeModel = new TOCTreeModel();
R
Rob Lourens 已提交
258 259 260

		this.tocTree = this.instantiationService.createInstance(WorkbenchTree, this.tocTreeContainer,
			<ITreeConfiguration>{
261 262
				dataSource: tocDataSource,
				renderer: tocRenderer,
263
				controller: this.instantiationService.createInstance(WorkbenchTreeController, { openMode: OpenMode.DOUBLE_CLICK }),
264
				filter: this.instantiationService.createInstance(SettingsTreeFilter, this.viewState)
R
Rob Lourens 已提交
265 266
			},
			{
267 268
				showLoading: false,
				twistiePixels: 15
R
Rob Lourens 已提交
269 270 271
			});

		this._register(this.tocTree.onDidChangeSelection(e => {
272 273 274 275 276
			if (this.searchResultModel) {
				const element = e.selection[0];
				this.viewState.filterToCategory = element;
				this.refreshTreeAndMaintainFocus();
			} else if (this.settingsTreeModel) {
277
				const element = e.selection[0];
R
Rob Lourens 已提交
278
				if (element && !e.payload.fromScroll) {
279 280 281
					this.settingsTree.reveal(element, 0);
					this.settingsTree.setSelection([element]);
					this.settingsTree.setFocus(element);
R
Rob Lourens 已提交
282
					this.settingsTree.domFocus();
283
				}
284
			}
R
Rob Lourens 已提交
285
		}));
286 287 288 289 290 291 292

		this.updateTOCVisible();
	}

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

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

298
		this.treeDataSource = this.instantiationService.createInstance(SettingsDataSource, this.viewState);
299
		const renderer = this.instantiationService.createInstance(SettingsRenderer, this.settingsTreeContainer);
300
		this._register(renderer.onDidChangeSetting(e => this.onDidChangeSetting(e.key, e.value)));
301
		this._register(renderer.onDidOpenSettings(() => this.openSettingsFile()));
302

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

320
		this._register(registerThemingParticipant((theme: ITheme, collector: ICssStyleCollector) => {
321 322
			const activeBorderColor = theme.getColor(listActiveSelectionBackground);
			if (activeBorderColor) {
323
				collector.addRule(`.settings-editor > .settings-body > .settings-tree-container .monaco-tree:focus .monaco-tree-row.focused {outline: solid 1px ${activeBorderColor}; outline-offset: -1px; }`);
324 325
			}

326 327
			const inactiveBorderColor = theme.getColor(listInactiveSelectionBackground);
			if (inactiveBorderColor) {
328
				collector.addRule(`.settings-editor > .settings-body > .settings-tree-container .monaco-tree .monaco-tree-row.focused {outline: solid 1px ${inactiveBorderColor}; outline-offset: -1px; }`);
329
			}
330 331
		}));

332 333
		this.settingsTree.getHTMLElement().classList.add(treeClass);

334
		this._register(attachStyler(this.themeService, {
335 336 337 338 339 340 341 342 343 344
			listActiveSelectionBackground: editorBackground,
			listActiveSelectionForeground: foreground,
			listFocusAndSelectionBackground: editorBackground,
			listFocusAndSelectionForeground: foreground,
			listFocusBackground: editorBackground,
			listFocusForeground: foreground,
			listHoverForeground: foreground,
			listHoverBackground: editorBackground,
			listInactiveSelectionBackground: editorBackground,
			listInactiveSelectionForeground: foreground
345 346
		}, colors => {
			this.settingsTree.style(colors);
347
		}));
348

349
		this._register(this.settingsTree.onDidChangeFocus(e => {
350
			this.settingsTree.setSelection([e.focus]);
351 352
			if (this.selectedElement) {
				this.settingsTree.refresh(this.selectedElement);
353
			}
354

355 356
			if (e.focus) {
				this.settingsTree.refresh(e.focus);
357
			}
358 359

			this.selectedElement = e.focus;
360 361
		}));

362
		this._register(this.settingsTree.onDidChangeSelection(e => {
363
			this.updateTreeScrollSync();
364 365 366 367 368 369 370 371 372 373 374 375 376

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

379 380
		this._register(this.settingsTree.onDidScroll(() => {
			this.updateTreeScrollSync();
381
		}));
382 383
	}

384 385 386 387 388 389 390 391 392 393 394 395
	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');
		}));
	}

396
	private onShowConfiguredOnlyClicked(): void {
397
		this.viewState.showConfiguredOnly = this.showConfiguredSettingsOnlyCheckbox.checked;
R
Rob Lourens 已提交
398
		this.refreshTreeAndMaintainFocus();
399 400
		this.tocTree.refresh();
		this.settingsTree.setScrollPosition(0);
401
		this.expandAll(this.settingsTree);
402 403
	}

R
Rob Lourens 已提交
404
	private onDidChangeSetting(key: string, value: any): void {
405 406
		if (this.pendingSettingUpdate && this.pendingSettingUpdate.key !== key) {
			this.updateChangedSetting(key, value);
407 408
		}

409 410 411 412
		this.pendingSettingUpdate = { key, value };
		this.settingUpdateDelayer.trigger(() => this.updateChangedSetting(key, value));
	}

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

448 449 450
	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 已提交
451 452 453 454 455 456 457 458 459 460 461 462
		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)
463 464 465 466 467 468 469 470 471 472 473 474 475 476
			.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);
			});
477 478 479
	}

	private reportModifiedSetting(props: { key: string, query: string, searchResults: ISearchResult[], rawResults: ISearchResult[], showConfiguredOnly: boolean, isReset: boolean, settingsTarget: SettingsTarget }): void {
480
		this.pendingSettingUpdate = null;
481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497

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

498 499 500 501 502 503
			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;
				}
504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522
			}
		}

		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__
523
			"settingsEditor.settingModified" : {
524 525 526 527 528 529 530 531 532 533
				"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" }
			}
		*/
534
		this.telemetryService.publicLog('settingsEditor.settingModified', data);
R
Rob Lourens 已提交
535 536
	}

537
	private render(token: CancellationToken): TPromise<any> {
R
Rob Lourens 已提交
538 539
		if (this.input) {
			return this.input.resolve()
540 541 542 543 544 545
				.then((model: DefaultSettingsEditorModel) => {
					if (token.isCancellationRequested) {
						return void 0;
					}

					this.defaultSettingsEditorModel = model;
546
					this.onConfigUpdate();
547
				});
R
Rob Lourens 已提交
548 549 550 551
		}
		return TPromise.as(null);
	}

552
	private toggleSearchMode(): void {
553 554 555 556
		DOM.removeClass(this.rootElement, 'search-mode');
		if (this.configurationService.getValue('workbench.settings.settingsSearchTocBehavior') === 'hide') {
			DOM.toggleClass(this.rootElement, 'search-mode', !!this.searchResultModel);
		}
557 558
	}

559
	private onConfigUpdate(): TPromise<void> {
560
		const groups = this.defaultSettingsEditorModel.settingsGroups.slice(1); // Without commonlyUsed
561 562 563
		const dividedGroups = collections.groupBy(groups, g => g.contributedByExtension ? 'extension' : 'core');
		const resolvedSettingsRoot = resolveSettingsTree(tocData, dividedGroups.core);
		const commonlyUsed = resolveSettingsTree(commonlyUsedData, dividedGroups.core);
564 565
		resolvedSettingsRoot.children.unshift(commonlyUsed);

566 567
		resolvedSettingsRoot.children.push(resolveExtensionsSettings(dividedGroups.extension || []));

568 569 570 571
		if (this.settingsTreeModel) {
			this.settingsTreeModel.update(resolvedSettingsRoot);
		} else {
			this.settingsTreeModel = this.instantiationService.createInstance(SettingsTreeModel, this.viewState, resolvedSettingsRoot);
572
			this.settingsTree.setInput(this.settingsTreeModel.root);
573 574 575 576 577 578 579

			this.tocTreeModel.settingsTreeRoot = this.settingsTreeModel.root as SettingsTreeGroupElement;
			if (this.tocTree.getInput()) {
				this.tocTree.refresh();
			} else {
				this.tocTree.setInput(this.tocTreeModel);
			}
580 581 582 583 584
		}

		return this.refreshTreeAndMaintainFocus();
	}

R
Rob Lourens 已提交
585 586 587 588 589 590 591 592
	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;

593 594 595
		return this.settingsTree.refresh()
			.then(() => {
				if (focusedRowId) {
596
					this.focusEditControlForRow(focusedRowId, selection);
R
Rob Lourens 已提交
597
				}
598 599 600 601
			})
			.then(() => {
				return this.tocTree.refresh();
			});
602 603
	}

604 605 606 607 608 609 610 611 612 613 614
	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);
			}
		}
	}

615
	private onSearchInputChanged(): void {
R
Rob Lourens 已提交
616 617
		const query = this.searchWidget.getValue().trim();
		this.delayedFilterLogging.cancel();
618
		this.triggerSearch(query).then(() => {
619
			if (query && this.searchResultModel) {
620
				this.delayedFilterLogging.trigger(() => this.reportFilteringUsed(query, this.searchResultModel.getUniqueResults()));
621 622
			}
		});
R
Rob Lourens 已提交
623 624 625 626
	}

	private triggerSearch(query: string): TPromise<void> {
		if (query) {
R
Rob Lourens 已提交
627
			return this.searchInProgress = TPromise.join([
R
Rob Lourens 已提交
628
				this.localSearchDelayer.trigger(() => this.localFilterPreferences(query)),
629
				this.remoteSearchThrottle.trigger(() => this.remoteSearchPreferences(query), 500)
R
Rob Lourens 已提交
630 631 632
			]).then(() => {
				this.searchInProgress = null;
			});
R
Rob Lourens 已提交
633 634 635
		} else {
			this.localSearchDelayer.cancel();
			this.remoteSearchThrottle.cancel();
R
Rob Lourens 已提交
636 637 638
			if (this.searchInProgress && this.searchInProgress.cancel) {
				this.searchInProgress.cancel();
			}
R
Rob Lourens 已提交
639

640
			this.searchResultModel = null;
641
			this.tocTreeModel.currentSearchModel = null;
642
			this.viewState.filterToCategory = null;
643
			this.tocTree.refresh();
644
			this.toggleSearchMode();
645
			this.settingsTree.setInput(this.settingsTreeModel.root);
646

R
Rob Lourens 已提交
647 648 649 650
			return TPromise.wrap(null);
		}
	}

R
Rob Lourens 已提交
651 652 653 654 655 656
	private expandAll(tree: ITree): void {
		const nav = tree.getNavigator();
		let cur;
		while (cur = nav.next()) {
			tree.expand(cur);
		}
657 658
	}

659 660 661 662 663 664 665 666 667 668 669
	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;
670 671
		if (nlpResult) {
			counts['nlpResult'] = nlpResult.filterMatches.length;
672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691
		}

		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 }
			}
		*/
692
		this.telemetryService.publicLog('settingsEditor.filter', data);
693 694
	}

R
Rob Lourens 已提交
695
	private localFilterPreferences(query: string): TPromise<void> {
696 697
		const localSearchProvider = this.preferencesSearchService.getLocalSearchProvider(query);
		return this.filterOrSearchPreferences(query, SearchResultIdx.Local, localSearchProvider);
R
Rob Lourens 已提交
698 699 700
	}

	private remoteSearchPreferences(query: string): TPromise<void> {
701 702
		const remoteSearchProvider = this.preferencesSearchService.getRemoteSearchProvider(query);
		return this.filterOrSearchPreferences(query, SearchResultIdx.Remote, remoteSearchProvider);
R
Rob Lourens 已提交
703 704 705 706 707
	}

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

R
Rob Lourens 已提交
708 709 710 711 712 713 714
		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;
				}
715

R
Rob Lourens 已提交
716 717
				const [result] = results;
				if (!this.searchResultModel) {
718
					this.searchResultModel = this.instantiationService.createInstance(SearchResultModel, this.viewState);
719
					this.searchResultModel.setResult(type, result);
720
					this.tocTreeModel.currentSearchModel = this.searchResultModel;
721
					this.toggleSearchMode();
R
Rob Lourens 已提交
722
					this.settingsTree.setInput(this.searchResultModel);
723 724
				} else {
					this.searchResultModel.setResult(type, result);
R
Rob Lourens 已提交
725 726
				}

727
				this.tocTreeModel.update();
R
Rob Lourens 已提交
728 729 730 731
				resolve(this.refreshTreeAndMaintainFocus());
			});
		}, () => {
			isCanceled = true;
R
Rob Lourens 已提交
732 733 734 735 736 737 738 739 740 741 742
		});
	}

	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__
743
						"settingsEditor.searchError" : {
R
Rob Lourens 已提交
744 745 746 747 748 749 750
							"message": { "classification": "CallstackOrException", "purpose": "FeatureInsight" },
							"filter": { "classification": "SystemMetaData", "purpose": "FeatureInsight" }
						}
					*/
					const message = getErrorMessage(err).trim();
					if (message && message !== 'Error') {
						// "Error" = any generic network error
751
						this.telemetryService.publicLog('settingsEditor.searchError', { message, filter });
R
Rob Lourens 已提交
752 753 754 755 756 757 758
						this.logService.info('Setting search error: ' + message);
					}
					return null;
				}
			});
	}

759 760
	private layoutSettingsList(dimension: DOM.Dimension): void {
		const listHeight = dimension.height - (DOM.getDomNodePagePosition(this.headerContainer).height + 12 /*padding*/);
761 762
		this.settingsTreeContainer.style.height = `${listHeight}px`;
		this.settingsTree.layout(listHeight, 800);
763 764 765 766

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