preferencesSearch.ts 13.1 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 { TPromise } from 'vs/base/common/winjs.base';
7
import Event, { Emitter } from 'vs/base/common/event';
8
import { ISettingsEditorModel, IFilterResult, ISetting, ISettingsGroup, IWorkbenchSettingsConfiguration, IFilterMetadata } from 'vs/workbench/parts/preferences/common/preferences';
R
Rob Lourens 已提交
9 10 11 12 13 14 15
import { IRange, Range } from 'vs/editor/common/core/range';
import { distinct } from 'vs/base/common/arrays';
import * as strings from 'vs/base/common/strings';
import { IJSONSchema } from 'vs/base/common/jsonSchema';
import { Registry } from 'vs/platform/registry/common/platform';
import { IConfigurationRegistry, Extensions } from 'vs/platform/configuration/common/configurationRegistry';
import { IMatch, or, matchesContiguousSubString, matchesPrefix, matchesCamelCase, matchesWords } from 'vs/base/common/filters';
16
import { IWorkspaceConfigurationService } from 'vs/workbench/services/configuration/common/configuration';
R
Rob Lourens 已提交
17

18 19 20
export interface IEndpointDetails {
	urlBase: string;
	key: string;
21
	boost: number;
22 23
}

24
export class PreferencesSearchProvider {
25 26
	private _onRemoteSearchEnablementChanged = new Emitter<boolean>();
	public onRemoteSearchEnablementChanged: Event<boolean> = this._onRemoteSearchEnablementChanged.event;
R
Rob Lourens 已提交
27

28
	constructor( @IWorkspaceConfigurationService private configurationService: IWorkspaceConfigurationService) {
29
		configurationService.onDidChangeConfiguration(() => this._onRemoteSearchEnablementChanged.fire(this.remoteSearchEnabled));
R
Rob Lourens 已提交
30 31
	}

32
	get remoteSearchEnabled(): boolean {
33 34 35 36 37 38 39 40
		const endpoint = this.endpoint;
		return !!endpoint.urlBase && !!endpoint.key;
	}

	get endpoint(): IEndpointDetails {
		const workbenchSettings = this.configurationService.getConfiguration<IWorkbenchSettingsConfiguration>().workbench.settings;
		return {
			urlBase: workbenchSettings.experimentalFuzzySearchEndpoint,
41 42
			key: workbenchSettings.experimentalFuzzySearchKey,
			boost: workbenchSettings.experimentalFuzzySearchBoost
43
		};
R
Rob Lourens 已提交
44 45
	}

46 47
	startSearch(filter: string, remote: boolean): PreferencesSearchModel {
		return new PreferencesSearchModel(this, filter, remote);
R
Rob Lourens 已提交
48 49 50
	}
}

51
export class PreferencesSearchModel {
R
Rob Lourens 已提交
52 53 54
	private _localProvider: LocalSearchProvider;
	private _remoteProvider: RemoteSearchProvider;

55
	constructor(private provider: PreferencesSearchProvider, private filter: string, remote: boolean) {
R
Rob Lourens 已提交
56
		this._localProvider = new LocalSearchProvider(filter);
57

58 59
		if (remote && filter) {
			this._remoteProvider = new RemoteSearchProvider(filter, this.provider.endpoint);
60
		}
R
Rob Lourens 已提交
61 62 63
	}

	filterPreferences(preferencesModel: ISettingsEditorModel): TPromise<IFilterResult> {
64 65 66 67
		if (!this.filter) {
			return TPromise.wrap(null);
		}

68 69 70 71 72
		if (this._remoteProvider) {
			return this._remoteProvider.filterPreferences(preferencesModel).then(null, err => {
				return this._localProvider.filterPreferences(preferencesModel);
			});
		} else {
R
Rob Lourens 已提交
73
			return this._localProvider.filterPreferences(preferencesModel);
74
		}
R
Rob Lourens 已提交
75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99
	}
}

class LocalSearchProvider {
	private _filter: string;

	constructor(filter: string) {
		this._filter = filter;
	}

	filterPreferences(preferencesModel: ISettingsEditorModel): TPromise<IFilterResult> {
		const regex = strings.createRegExp(this._filter, false, { global: true });

		const groupFilter = (group: ISettingsGroup) => {
			return regex.test(group.title);
		};

		const settingFilter = (setting: ISetting) => {
			return new SettingMatches(this._filter, setting, (filter, setting) => preferencesModel.findValueMatches(filter, setting)).matches;
		};

		return TPromise.wrap(preferencesModel.filterSettings(this._filter, groupFilter, settingFilter));
	}
}

100 101 102 103 104 105 106 107 108
export interface IRemoteScores {
	[key: string]: number;
}

interface IRemoteResult {
	metadata: IFilterMetadata;
	scores: IRemoteScores;
}

R
Rob Lourens 已提交
109 110
class RemoteSearchProvider {
	private _filter: string;
111
	private _remoteSearchP: TPromise<IRemoteResult>;
R
Rob Lourens 已提交
112

113
	constructor(filter: string, endpoint: IEndpointDetails) {
R
Rob Lourens 已提交
114
		this._filter = filter;
115
		this._remoteSearchP = filter ? getSettingsFromBing(filter, endpoint) : TPromise.wrap(null);
R
Rob Lourens 已提交
116 117 118
	}

	filterPreferences(preferencesModel: ISettingsEditorModel): TPromise<IFilterResult> {
119
		return this._remoteSearchP.then(remoteResult => {
R
Rob Lourens 已提交
120
			const settingFilter = (setting: ISetting) => {
121
				if (!!remoteResult.scores[setting.key]) {
R
Rob Lourens 已提交
122 123 124 125 126 127 128 129 130 131 132
					const settingMatches = new SettingMatches(this._filter, setting, (filter, setting) => preferencesModel.findValueMatches(filter, setting)).matches;
					if (settingMatches.length) {
						return settingMatches;
					} else {
						return [new Range(setting.keyRange.startLineNumber, setting.keyRange.startColumn, setting.keyRange.endLineNumber, setting.keyRange.startColumn)];
					}
				} else {
					return null;
				}
			};

133
			if (remoteResult) {
R
Rob Lourens 已提交
134 135
				const sortedNames = Object.keys(remoteResult.scores).sort((a, b) => remoteResult.scores[b] - remoteResult.scores[a]);
				const result = preferencesModel.filterSettings(this._filter, group => null, settingFilter, sortedNames);
136
				result.metadata = remoteResult.metadata;
137 138 139 140
				return result;
			} else {
				return null;
			}
R
Rob Lourens 已提交
141 142 143 144
		});
	}
}

145 146
function getSettingsFromBing(filter: string, endpoint: IEndpointDetails): TPromise<IRemoteResult> {
	const url = prepareUrl(filter, endpoint);
R
Rob Lourens 已提交
147 148 149
	console.log('fetching: ' + url);
	const start = Date.now();
	const p = fetch(url, {
150
		headers: new Headers({
R
Rob Lourens 已提交
151 152 153
			'User-Agent': 'request',
			'Content-Type': 'application/json; charset=utf-8',
			'api-key': endpoint.key
154
		})
R
Rob Lourens 已提交
155 156 157
	})
		.then(r => r.json())
		.then(result => {
158 159 160
			const timestamp = Date.now();
			const duration = timestamp - start;
			console.log('time: ' + duration / 1000);
R
Rob Lourens 已提交
161 162
			const suggestions = (result.value || [])
				.map(r => ({
R
Rob Lourens 已提交
163
					name: r.setting || r.Setting,
R
Rob Lourens 已提交
164 165 166
					score: r['@search.score']
				}));

167
			const scores = Object.create(null);
R
Rob Lourens 已提交
168 169 170 171
			suggestions.forEach(s => {
				const name = s.name
					.replace(/^"/, '')
					.replace(/"$/, '');
172
				scores[name] = s.score;
R
Rob Lourens 已提交
173 174
			});

175 176 177 178 179 180 181
			return <IRemoteResult>{
				metadata: {
					remoteUrl: url,
					duration,
					timestamp
				},
				scores
182
			};
R
Rob Lourens 已提交
183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198
		});

	return TPromise.as(p as any);
}

const API_VERSION = 'api-version=2015-02-28-Preview';
const QUERY_TYPE = 'querytype=full';
const SCORING_PROFILE = 'scoringProfile=ranking1';

function escapeSpecialChars(query: string): string {
	return query.replace(/\./g, ' ')
		.replace(/[\\/+\-&|!"~*?:(){}\[\]\^]/g, '\\$&')
		.replace(/  /g, ' ') // collapse spaces
		.trim();
}

199
function prepareUrl(query: string, endpoint: IEndpointDetails): string {
R
Rob Lourens 已提交
200
	query = escapeSpecialChars(query);
201 202
	const boost = endpoint.boost || 1;
	const userQuery = `(${query})^${boost}`;
R
Rob Lourens 已提交
203 204 205 206 207 208

	// Appending Fuzzy after each word.
	query = query.replace(/\ +/g, '~ ') + '~';

	return `${endpoint.urlBase}?${API_VERSION}&search=${encodeURIComponent(userQuery + ' || ' + query)}&${QUERY_TYPE}&${SCORING_PROFILE}`;
}
209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329

class SettingMatches {

	private readonly descriptionMatchingWords: Map<string, IRange[]> = new Map<string, IRange[]>();
	private readonly keyMatchingWords: Map<string, IRange[]> = new Map<string, IRange[]>();
	private readonly valueMatchingWords: Map<string, IRange[]> = new Map<string, IRange[]>();

	public readonly matches: IRange[];

	constructor(searchString: string, setting: ISetting, private valuesMatcher: (filter: string, setting: ISetting) => IRange[]) {
		this.matches = distinct(this._findMatchesInSetting(searchString, setting), (match) => `${match.startLineNumber}_${match.startColumn}_${match.endLineNumber}_${match.endColumn}_`);
	}

	private _findMatchesInSetting(searchString: string, setting: ISetting): IRange[] {
		const result = this._doFindMatchesInSetting(searchString, setting);
		if (setting.overrides && setting.overrides.length) {
			for (const subSetting of setting.overrides) {
				const subSettingMatches = new SettingMatches(searchString, subSetting, this.valuesMatcher);
				let words = searchString.split(' ');
				const descriptionRanges: IRange[] = this.getRangesForWords(words, this.descriptionMatchingWords, [subSettingMatches.descriptionMatchingWords, subSettingMatches.keyMatchingWords, subSettingMatches.valueMatchingWords]);
				const keyRanges: IRange[] = this.getRangesForWords(words, this.keyMatchingWords, [subSettingMatches.descriptionMatchingWords, subSettingMatches.keyMatchingWords, subSettingMatches.valueMatchingWords]);
				const subSettingKeyRanges: IRange[] = this.getRangesForWords(words, subSettingMatches.keyMatchingWords, [this.descriptionMatchingWords, this.keyMatchingWords, subSettingMatches.valueMatchingWords]);
				const subSettinValueRanges: IRange[] = this.getRangesForWords(words, subSettingMatches.valueMatchingWords, [this.descriptionMatchingWords, this.keyMatchingWords, subSettingMatches.keyMatchingWords]);
				result.push(...descriptionRanges, ...keyRanges, ...subSettingKeyRanges, ...subSettinValueRanges);
				result.push(...subSettingMatches.matches);
			}
		}
		return result;
	}

	private _doFindMatchesInSetting(searchString: string, setting: ISetting): IRange[] {
		const registry: { [qualifiedKey: string]: IJSONSchema } = Registry.as<IConfigurationRegistry>(Extensions.Configuration).getConfigurationProperties();
		const schema: IJSONSchema = registry[setting.key];

		let words = searchString.split(' ');
		const settingKeyAsWords: string = setting.key.split('.').join(' ');

		for (const word of words) {
			for (let lineIndex = 0; lineIndex < setting.description.length; lineIndex++) {
				const descriptionMatches = matchesWords(word, setting.description[lineIndex], true);
				if (descriptionMatches) {
					this.descriptionMatchingWords.set(word, descriptionMatches.map(match => this.toDescriptionRange(setting, match, lineIndex)));
				}
			}

			const keyMatches = or(matchesWords, matchesCamelCase)(word, settingKeyAsWords);
			if (keyMatches) {
				this.keyMatchingWords.set(word, keyMatches.map(match => this.toKeyRange(setting, match)));
			}

			const valueMatches = typeof setting.value === 'string' ? matchesContiguousSubString(word, setting.value) : null;
			if (valueMatches) {
				this.valueMatchingWords.set(word, valueMatches.map(match => this.toValueRange(setting, match)));
			} else if (schema && schema.enum && schema.enum.some(enumValue => typeof enumValue === 'string' && !!matchesContiguousSubString(word, enumValue))) {
				this.valueMatchingWords.set(word, []);
			}
		}

		const descriptionRanges: IRange[] = [];
		for (let lineIndex = 0; lineIndex < setting.description.length; lineIndex++) {
			const matches = or(matchesContiguousSubString)(searchString, setting.description[lineIndex] || '') || [];
			descriptionRanges.push(...matches.map(match => this.toDescriptionRange(setting, match, lineIndex)));
		}
		if (descriptionRanges.length === 0) {
			descriptionRanges.push(...this.getRangesForWords(words, this.descriptionMatchingWords, [this.keyMatchingWords, this.valueMatchingWords]));
		}

		const keyMatches = or(matchesPrefix, matchesContiguousSubString)(searchString, setting.key);
		const keyRanges: IRange[] = keyMatches ? keyMatches.map(match => this.toKeyRange(setting, match)) : this.getRangesForWords(words, this.keyMatchingWords, [this.descriptionMatchingWords, this.valueMatchingWords]);

		let valueRanges: IRange[] = [];
		if (setting.value && typeof setting.value === 'string') {
			const valueMatches = or(matchesPrefix, matchesContiguousSubString)(searchString, setting.value);
			valueRanges = valueMatches ? valueMatches.map(match => this.toValueRange(setting, match)) : this.getRangesForWords(words, this.valueMatchingWords, [this.keyMatchingWords, this.descriptionMatchingWords]);
		} else {
			valueRanges = this.valuesMatcher(searchString, setting);
		}

		return [...descriptionRanges, ...keyRanges, ...valueRanges];
	}

	private getRangesForWords(words: string[], from: Map<string, IRange[]>, others: Map<string, IRange[]>[]): IRange[] {
		const result: IRange[] = [];
		for (const word of words) {
			const ranges = from.get(word);
			if (ranges) {
				result.push(...ranges);
			} else if (others.every(o => !o.has(word))) {
				return [];
			}
		}
		return result;
	}

	private toKeyRange(setting: ISetting, match: IMatch): IRange {
		return {
			startLineNumber: setting.keyRange.startLineNumber,
			startColumn: setting.keyRange.startColumn + match.start,
			endLineNumber: setting.keyRange.startLineNumber,
			endColumn: setting.keyRange.startColumn + match.end
		};
	}

	private toDescriptionRange(setting: ISetting, match: IMatch, lineIndex: number): IRange {
		return {
			startLineNumber: setting.descriptionRanges[lineIndex].startLineNumber,
			startColumn: setting.descriptionRanges[lineIndex].startColumn + match.start,
			endLineNumber: setting.descriptionRanges[lineIndex].endLineNumber,
			endColumn: setting.descriptionRanges[lineIndex].startColumn + match.end
		};
	}

	private toValueRange(setting: ISetting, match: IMatch): IRange {
		return {
			startLineNumber: setting.valueRange.startLineNumber,
			startColumn: setting.valueRange.startColumn + match.start + 1,
			endLineNumber: setting.valueRange.startLineNumber,
			endColumn: setting.valueRange.startColumn + match.end + 1
		};
	}
}