fileService.ts 29.8 KB
Newer Older
E
Erich Gamma 已提交
1 2 3 4 5 6 7 8 9 10 11 12 13
/*---------------------------------------------------------------------------------------------
 *  Copyright (c) Microsoft Corporation. All rights reserved.
 *  Licensed under the MIT License. See License.txt in the project root for license information.
 *--------------------------------------------------------------------------------------------*/

'use strict';

import paths = require('path');
import fs = require('fs');
import os = require('os');
import crypto = require('crypto');
import assert = require('assert');

B
Benjamin Pasero 已提交
14
import {IContent, IFileService, IResolveFileOptions, IResolveContentOptions, IFileStat, IStreamContent, IFileOperationResult, FileOperationResult, IBaseStat, IUpdateContentOptions, FileChangeType, EventType, IImportResult, MAX_FILE_SIZE} from 'vs/platform/files/common/files';
E
Erich Gamma 已提交
15 16 17 18
import strings = require('vs/base/common/strings');
import arrays = require('vs/base/common/arrays');
import baseMime = require('vs/base/common/mime');
import basePaths = require('vs/base/common/paths');
19
import {TPromise} from 'vs/base/common/winjs.base';
E
Erich Gamma 已提交
20 21 22
import types = require('vs/base/common/types');
import objects = require('vs/base/common/objects');
import extfs = require('vs/base/node/extfs');
23
import {nfcall, Limiter, ThrottledDelayer} from 'vs/base/common/async';
E
Erich Gamma 已提交
24 25 26 27 28 29 30 31 32 33
import uri from 'vs/base/common/uri';
import nls = require('vs/nls');

import pfs = require('vs/base/node/pfs');
import encoding = require('vs/base/node/encoding');
import mime = require('vs/base/node/mime');
import flow = require('vs/base/node/flow');
import {FileWatcher as UnixWatcherService} from 'vs/workbench/services/files/node/watcher/unix/watcherService';
import {FileWatcher as WindowsWatcherService} from 'vs/workbench/services/files/node/watcher/win32/watcherService';
import {toFileChangesEvent, normalize, IRawFileChange} from 'vs/workbench/services/files/node/watcher/common';
D
Daniel Imms 已提交
34
import {IDisposable, dispose} from 'vs/base/common/lifecycle';
35
import {IEnvironmentService} from 'vs/platform/environment/common/environment';
E
Erich Gamma 已提交
36
import {IEventService} from 'vs/platform/event/common/event';
D
Daniel Imms 已提交
37 38
import {IConfigurationService} from 'vs/platform/configuration/common/configuration';
import {IFilesConfiguration} from 'vs/platform/files/common/files';
E
Erich Gamma 已提交
39 40 41 42 43 44 45 46 47 48

export interface IEncodingOverride {
	resource: uri;
	encoding: string;
}

export interface IFileServiceOptions {
	tmpDir?: string;
	errorLogger?: (msg: string) => void;
	encoding?: string;
49
	bom?: string;
E
Erich Gamma 已提交
50 51 52 53 54 55
	encodingOverride?: IEncodingOverride[];
	watcherIgnoredPatterns?: string[];
	disableWatcher?: boolean;
	verboseLogging?: boolean;
}

56
function etag(stat: fs.Stats): string;
E
Erich Gamma 已提交
57 58 59 60 61 62 63 64
function etag(size: number, mtime: number): string;
function etag(arg1: any, arg2?: any): string {
	let size: number;
	let mtime: number;
	if (typeof arg2 === 'number') {
		size = arg1;
		mtime = arg2;
	} else {
65 66
		size = (<fs.Stats>arg1).size;
		mtime = (<fs.Stats>arg1).mtime.getTime();
E
Erich Gamma 已提交
67 68 69 70 71
	}

	return '"' + crypto.createHash('sha1').update(String(size) + String(mtime)).digest('hex') + '"';
}

B
Benjamin Pasero 已提交
72
export class FileService implements IFileService {
E
Erich Gamma 已提交
73

74
	public _serviceBrand: any;
E
Erich Gamma 已提交
75

76
	private static SESSION_BACKUP_ID = crypto.randomBytes(20).toString('hex'); // defined the directory to store backups for the session
E
Erich Gamma 已提交
77 78 79
	private static FS_EVENT_DELAY = 50; // aggregate and only emit events when changes have stopped for this duration (in ms)
	private static MAX_DEGREE_OF_PARALLEL_FS_OPS = 10; // degree of parallel fs calls that we accept at the same time

D
Daniel Imms 已提交
80
	private toUnbind: IDisposable[];
E
Erich Gamma 已提交
81 82 83 84 85 86 87
	private basePath: string;
	private tmpPath: string;
	private options: IFileServiceOptions;

	private workspaceWatcherToDispose: () => void;

	private activeFileChangesWatchers: { [resource: string]: fs.FSWatcher; };
J
Joao Moreno 已提交
88
	private fileChangesWatchDelayer: ThrottledDelayer<void>;
E
Erich Gamma 已提交
89 90
	private undeliveredRawFileChangesEvents: IRawFileChange[];

D
Daniel Imms 已提交
91 92 93
	private configuredHotExit: boolean;

	constructor(basePath: string, options: IFileServiceOptions, private eventEmitter: IEventService, private environmentService: IEnvironmentService, private configurationService: IConfigurationService) {
E
Erich Gamma 已提交
94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123
		this.basePath = basePath ? paths.normalize(basePath) : void 0;

		if (this.basePath && this.basePath.indexOf('\\\\') === 0 && strings.endsWith(this.basePath, paths.sep)) {
			// for some weird reason, node adds a trailing slash to UNC paths
			// we never ever want trailing slashes as our base path unless
			// someone opens root ("/").
			// See also https://github.com/nodejs/io.js/issues/1765
			this.basePath = strings.rtrim(this.basePath, paths.sep);
		}

		if (this.basePath && !paths.isAbsolute(basePath)) {
			throw new Error('basePath has to be an absolute path');
		}

		this.options = options || Object.create(null);
		this.tmpPath = this.options.tmpDir || os.tmpdir();

		if (this.options && !this.options.errorLogger) {
			this.options.errorLogger = console.error;
		}

		if (this.basePath && !this.options.disableWatcher) {
			if (process.platform === 'win32') {
				this.setupWin32WorkspaceWatching();
			} else {
				this.setupUnixWorkspaceWatching();
			}
		}

		this.activeFileChangesWatchers = Object.create(null);
J
Joao Moreno 已提交
124
		this.fileChangesWatchDelayer = new ThrottledDelayer<void>(FileService.FS_EVENT_DELAY);
E
Erich Gamma 已提交
125
		this.undeliveredRawFileChangesEvents = [];
D
Daniel Imms 已提交
126 127 128 129 130 131 132 133 134 135 136

		// Configuration changes
		this.toUnbind = [];
		this.toUnbind.push(this.configurationService.onDidUpdateConfiguration(e => this.onConfigurationChange(e.config)));

		const configuration = this.configurationService.getConfiguration<IFilesConfiguration>();
		this.onConfigurationChange(configuration);
	}

	private onConfigurationChange(configuration: IFilesConfiguration): void {
		this.configuredHotExit = configuration && configuration.files && configuration.files.hotExit;
E
Erich Gamma 已提交
137 138 139 140 141 142 143 144 145 146 147 148 149
	}

	public updateOptions(options: IFileServiceOptions): void {
		if (options) {
			objects.mixin(this.options, options); // overwrite current options
		}
	}

	private setupWin32WorkspaceWatching(): void {
		this.workspaceWatcherToDispose = new WindowsWatcherService(this.basePath, this.options.watcherIgnoredPatterns, this.eventEmitter, this.options.errorLogger, this.options.verboseLogging).startWatching();
	}

	private setupUnixWorkspaceWatching(): void {
J
Joao Moreno 已提交
150
		this.workspaceWatcherToDispose = new UnixWatcherService(this.basePath, this.options.watcherIgnoredPatterns, this.eventEmitter, this.options.errorLogger, this.options.verboseLogging).startWatching();
E
Erich Gamma 已提交
151 152
	}

B
Benjamin Pasero 已提交
153
	public resolveFile(resource: uri, options?: IResolveFileOptions): TPromise<IFileStat> {
E
Erich Gamma 已提交
154 155 156
		return this.resolve(resource, options);
	}

157 158 159 160
	public existsFile(resource: uri): TPromise<boolean> {
		return this.resolveFile(resource).then(() => true, () => false);
	}

B
Benjamin Pasero 已提交
161 162
	public resolveContent(resource: uri, options?: IResolveContentOptions): TPromise<IContent> {
		return this.doResolveContent(resource, options, (resource, etag, enc) => this.resolveFileContent(resource, etag, enc));
A
Alex Dima 已提交
163 164
	}

B
Benjamin Pasero 已提交
165 166
	public resolveStreamContent(resource: uri, options?: IResolveContentOptions): TPromise<IStreamContent> {
		return this.doResolveContent(resource, options, (resource, etag, enc) => this.resolveFileStreamContent(resource, etag, enc));
A
Alex Dima 已提交
167 168
	}

B
Benjamin Pasero 已提交
169
	private doResolveContent<T extends IBaseStat>(resource: uri, options: IResolveContentOptions, contentResolver: (resource: uri, etag?: string, enc?: string) => TPromise<T>): TPromise<T> {
B
Benjamin Pasero 已提交
170
		const absolutePath = this.toAbsolutePath(resource);
E
Erich Gamma 已提交
171

172 173 174
		// Guard early against attempts to resolve an invalid file path
		if (resource.scheme !== 'file' || !resource.fsPath) {
			return TPromise.wrapError(<IFileOperationResult>{
B
Benjamin Pasero 已提交
175 176
				message: nls.localize('fileInvalidPath', "Invalid file resource ({0})", resource.toString()),
				fileOperationResult: FileOperationResult.FILE_INVALID_PATH
177 178 179
			});
		}

E
Erich Gamma 已提交
180
		// 1.) detect mimes
B
Benjamin Pasero 已提交
181
		return nfcall(mime.detectMimesFromFile, absolutePath).then((detected: mime.IMimeAndEncoding): TPromise<T> => {
B
Benjamin Pasero 已提交
182
			const isText = detected.mimes.indexOf(baseMime.MIME_BINARY) === -1;
E
Erich Gamma 已提交
183 184 185

			// Return error early if client only accepts text and this is not text
			if (options && options.acceptTextOnly && !isText) {
B
Benjamin Pasero 已提交
186
				return TPromise.wrapError(<IFileOperationResult>{
E
Erich Gamma 已提交
187
					message: nls.localize('fileBinaryError', "File seems to be binary and cannot be opened as text"),
B
Benjamin Pasero 已提交
188
					fileOperationResult: FileOperationResult.FILE_IS_BINARY
E
Erich Gamma 已提交
189 190 191
				});
			}

B
Benjamin Pasero 已提交
192 193 194 195 196 197 198 199 200 201 202 203 204 205 206
			let preferredEncoding: string;
			if (options && options.encoding) {
				if (detected.encoding === encoding.UTF8 && options.encoding === encoding.UTF8) {
					preferredEncoding = encoding.UTF8_with_bom; // indicate the file has BOM if we are to resolve with UTF 8
				} else {
					preferredEncoding = options.encoding; // give passed in encoding highest priority
				}
			} else if (detected.encoding) {
				if (detected.encoding === encoding.UTF8) {
					preferredEncoding = encoding.UTF8_with_bom; // if we detected UTF-8, it can only be because of a BOM
				} else {
					preferredEncoding = detected.encoding;
				}
			} else if (this.options.encoding === encoding.UTF8_with_bom) {
				preferredEncoding = encoding.UTF8; // if we did not detect UTF 8 BOM before, this can only be UTF 8 then
B
wip  
Benjamin Pasero 已提交
207 208
			}

E
Erich Gamma 已提交
209
			// 2.) get content
210
			return contentResolver(resource, options && options.etag, preferredEncoding).then(content => {
E
Erich Gamma 已提交
211 212 213 214 215 216 217 218 219

				// set our knowledge about the mime on the content obj
				content.mime = detected.mimes.join(', ');

				return content;
			});
		}, (error) => {

			// bubble up existing file operation results
B
Benjamin Pasero 已提交
220
			if (!types.isUndefinedOrNull((<IFileOperationResult>error).fileOperationResult)) {
221
				return TPromise.wrapError(error);
E
Erich Gamma 已提交
222 223 224
			}

			// on error check if the file does not exist or is a folder and return with proper error result
225
			return pfs.exists(absolutePath).then(exists => {
E
Erich Gamma 已提交
226 227 228

				// Return if file not found
				if (!exists) {
B
Benjamin Pasero 已提交
229
					return TPromise.wrapError(<IFileOperationResult>{
E
Erich Gamma 已提交
230
						message: nls.localize('fileNotFoundError', "File not found ({0})", absolutePath),
B
Benjamin Pasero 已提交
231
						fileOperationResult: FileOperationResult.FILE_NOT_FOUND
E
Erich Gamma 已提交
232 233 234 235
					});
				}

				// Otherwise check for file being a folder?
236
				return pfs.stat(absolutePath).then(stat => {
E
Erich Gamma 已提交
237
					if (stat.isDirectory()) {
B
Benjamin Pasero 已提交
238
						return TPromise.wrapError(<IFileOperationResult>{
E
Erich Gamma 已提交
239
							message: nls.localize('fileIsDirectoryError', "File is directory ({0})", absolutePath),
B
Benjamin Pasero 已提交
240
							fileOperationResult: FileOperationResult.FILE_IS_DIRECTORY
E
Erich Gamma 已提交
241 242 243 244
						});
					}

					// otherwise just give up
245
					return TPromise.wrapError(error);
E
Erich Gamma 已提交
246 247 248 249 250
				});
			});
		});
	}

B
Benjamin Pasero 已提交
251
	public resolveContents(resources: uri[]): TPromise<IContent[]> {
B
Benjamin Pasero 已提交
252
		const limiter = new Limiter(FileService.MAX_DEGREE_OF_PARALLEL_FS_OPS);
E
Erich Gamma 已提交
253

B
Benjamin Pasero 已提交
254
		const contentPromises = <TPromise<IContent>[]>[];
255 256
		resources.forEach(resource => {
			contentPromises.push(limiter.queue(() => this.resolveFileContent(resource).then(content => content, error => TPromise.as(null /* ignore errors gracefully */))));
E
Erich Gamma 已提交
257 258
		});

259
		return TPromise.join(contentPromises).then(contents => {
E
Erich Gamma 已提交
260 261 262 263
			return arrays.coalesce(contents);
		});
	}

B
Benjamin Pasero 已提交
264
	public updateContent(resource: uri, value: string, options: IUpdateContentOptions = Object.create(null)): TPromise<IFileStat> {
B
Benjamin Pasero 已提交
265
		const absolutePath = this.toAbsolutePath(resource);
E
Erich Gamma 已提交
266 267

		// 1.) check file
268
		return this.checkFile(absolutePath, options).then(exists => {
269
			let createParentsPromise: TPromise<boolean>;
E
Erich Gamma 已提交
270
			if (exists) {
A
Alex Dima 已提交
271
				createParentsPromise = TPromise.as(null);
E
Erich Gamma 已提交
272 273 274 275 276 277
			} else {
				createParentsPromise = pfs.mkdirp(paths.dirname(absolutePath));
			}

			// 2.) create parents as needed
			return createParentsPromise.then(() => {
B
Benjamin Pasero 已提交
278
				const encodingToWrite = this.getEncoding(resource, options.encoding);
E
Erich Gamma 已提交
279
				let addBomPromise: TPromise<boolean> = TPromise.as(false);
B
wip  
Benjamin Pasero 已提交
280 281 282

				// UTF_16 BE and LE as well as UTF_8 with BOM always have a BOM
				if (encodingToWrite === encoding.UTF16be || encodingToWrite === encoding.UTF16le || encodingToWrite === encoding.UTF8_with_bom) {
E
Erich Gamma 已提交
283 284 285
					addBomPromise = TPromise.as(true);
				}

B
wip  
Benjamin Pasero 已提交
286 287 288 289 290
				// Existing UTF-8 file: check for options regarding BOM
				else if (exists && encodingToWrite === encoding.UTF8) {
					if (options.overwriteEncoding) {
						addBomPromise = TPromise.as(false); // if we are to overwrite the encoding, we do not preserve it if found
					} else {
291
						addBomPromise = nfcall(encoding.detectEncodingByBOM, absolutePath).then(enc => enc === encoding.UTF8); // otherwise preserve it if found
292
					}
E
Erich Gamma 已提交
293 294 295
				}

				// 3.) check to add UTF BOM
296
				return addBomPromise.then(addBom => {
297
					let writeFilePromise: TPromise<void>;
E
Erich Gamma 已提交
298 299 300

					// Write fast if we do UTF 8 without BOM
					if (!addBom && encodingToWrite === encoding.UTF8) {
301
						writeFilePromise = pfs.writeFileAndFlush(absolutePath, value, encoding.UTF8);
E
Erich Gamma 已提交
302 303
					}

B
wip  
Benjamin Pasero 已提交
304
					// Otherwise use encoding lib
E
Erich Gamma 已提交
305
					else {
B
Benjamin Pasero 已提交
306
						const encoded = encoding.encode(value, encodingToWrite, { addBOM: addBom });
307
						writeFilePromise = pfs.writeFileAndFlush(absolutePath, encoded);
E
Erich Gamma 已提交
308 309 310 311 312 313 314 315 316 317 318 319 320
					}

					// 4.) set contents
					return writeFilePromise.then(() => {

						// 5.) resolve
						return this.resolve(resource);
					});
				});
			});
		});
	}

B
Benjamin Pasero 已提交
321
	public createFile(resource: uri, content: string = ''): TPromise<IFileStat> {
E
Erich Gamma 已提交
322 323 324
		return this.updateContent(resource, content);
	}

B
Benjamin Pasero 已提交
325
	public createFolder(resource: uri): TPromise<IFileStat> {
E
Erich Gamma 已提交
326 327

		// 1.) create folder
B
Benjamin Pasero 已提交
328
		const absolutePath = this.toAbsolutePath(resource);
E
Erich Gamma 已提交
329 330 331 332 333 334 335
		return pfs.mkdirp(absolutePath).then(() => {

			// 2.) resolve
			return this.resolve(resource);
		});
	}

336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360
	public touchFile(resource: uri): TPromise<IFileStat> {
		const absolutePath = this.toAbsolutePath(resource);

		// 1.) check file
		return this.checkFile(absolutePath).then(exists => {
			let createPromise: TPromise<IFileStat>;
			if (exists) {
				createPromise = TPromise.as(null);
			} else {
				createPromise = this.createFile(resource);
			}

			// 2.) create file as needed
			return createPromise.then(() => {

				// 3.) update atime and mtime
				return pfs.utimes(absolutePath, new Date(), new Date()).then(() => {

					// 4.) resolve
					return this.resolve(resource);
				});
			});
		});
	}

B
Benjamin Pasero 已提交
361
	public rename(resource: uri, newName: string): TPromise<IFileStat> {
B
Benjamin Pasero 已提交
362
		const newPath = paths.join(paths.dirname(resource.fsPath), newName);
E
Erich Gamma 已提交
363 364 365 366

		return this.moveFile(resource, uri.file(newPath));
	}

B
Benjamin Pasero 已提交
367
	public moveFile(source: uri, target: uri, overwrite?: boolean): TPromise<IFileStat> {
E
Erich Gamma 已提交
368 369 370
		return this.moveOrCopyFile(source, target, false, overwrite);
	}

B
Benjamin Pasero 已提交
371
	public copyFile(source: uri, target: uri, overwrite?: boolean): TPromise<IFileStat> {
E
Erich Gamma 已提交
372 373 374
		return this.moveOrCopyFile(source, target, true, overwrite);
	}

B
Benjamin Pasero 已提交
375
	private moveOrCopyFile(source: uri, target: uri, keepCopy: boolean, overwrite: boolean): TPromise<IFileStat> {
B
Benjamin Pasero 已提交
376 377
		const sourcePath = this.toAbsolutePath(source);
		const targetPath = this.toAbsolutePath(target);
E
Erich Gamma 已提交
378 379 380 381 382 383 384 385 386 387 388 389

		// 1.) move / copy
		return this.doMoveOrCopyFile(sourcePath, targetPath, keepCopy, overwrite).then(() => {

			// 2.) resolve
			return this.resolve(target);
		});
	}

	private doMoveOrCopyFile(sourcePath: string, targetPath: string, keepCopy: boolean, overwrite: boolean): TPromise<boolean /* exists */> {

		// 1.) check if target exists
390
		return pfs.exists(targetPath).then(exists => {
B
Benjamin Pasero 已提交
391 392
			const isCaseRename = sourcePath.toLowerCase() === targetPath.toLowerCase();
			const isSameFile = sourcePath === targetPath;
E
Erich Gamma 已提交
393 394 395

			// Return early with conflict if target exists and we are not told to overwrite
			if (exists && !isCaseRename && !overwrite) {
B
Benjamin Pasero 已提交
396 397
				return TPromise.wrapError(<IFileOperationResult>{
					fileOperationResult: FileOperationResult.FILE_MOVE_CONFLICT
E
Erich Gamma 已提交
398 399 400 401
				});
			}

			// 2.) make sure target is deleted before we move/copy unless this is a case rename of the same file
A
Alex Dima 已提交
402
			let deleteTargetPromise = TPromise.as(null);
E
Erich Gamma 已提交
403 404
			if (exists && !isCaseRename) {
				if (basePaths.isEqualOrParent(sourcePath, targetPath)) {
405
					return TPromise.wrapError(nls.localize('unableToMoveCopyError', "Unable to move/copy. File would replace folder it is contained in.")); // catch this corner case!
E
Erich Gamma 已提交
406 407 408 409 410 411 412 413 414
				}

				deleteTargetPromise = this.del(uri.file(targetPath));
			}

			return deleteTargetPromise.then(() => {

				// 3.) make sure parents exists
				return pfs.mkdirp(paths.dirname(targetPath)).then(() => {
415

E
Erich Gamma 已提交
416
					// 4.) copy/move
417 418 419
					if (isSameFile) {
						return TPromise.as(null);
					} else if (keepCopy) {
E
Erich Gamma 已提交
420 421 422 423 424 425 426 427 428
						return nfcall(extfs.copy, sourcePath, targetPath);
					} else {
						return nfcall(extfs.mv, sourcePath, targetPath);
					}
				}).then(() => exists);
			});
		});
	}

B
Benjamin Pasero 已提交
429
	public importFile(source: uri, targetFolder: uri): TPromise<IImportResult> {
B
Benjamin Pasero 已提交
430 431 432
		const sourcePath = this.toAbsolutePath(source);
		const targetResource = uri.file(paths.join(targetFolder.fsPath, paths.basename(source.fsPath)));
		const targetPath = this.toAbsolutePath(targetResource);
E
Erich Gamma 已提交
433 434

		// 1.) resolve
435
		return pfs.stat(sourcePath).then(stat => {
E
Erich Gamma 已提交
436
			if (stat.isDirectory()) {
437
				return TPromise.wrapError(nls.localize('foldersCopyError', "Folders cannot be copied into the workspace. Please select individual files to copy them.")); // for now we do not allow to import a folder into a workspace
E
Erich Gamma 已提交
438 439 440
			}

			// 2.) copy
441
			return this.doMoveOrCopyFile(sourcePath, targetPath, true, true).then(exists => {
E
Erich Gamma 已提交
442 443

				// 3.) resolve
444
				return this.resolve(targetResource).then(stat => <IImportResult>{ isNew: !exists, stat: stat });
E
Erich Gamma 已提交
445 446 447 448
			});
		});
	}

449
	public del(resource: uri): TPromise<void> {
B
Benjamin Pasero 已提交
450
		const absolutePath = this.toAbsolutePath(resource);
E
Erich Gamma 已提交
451 452 453 454

		return nfcall(extfs.del, absolutePath, this.tmpPath);
	}

D
Daniel Imms 已提交
455 456
	public backupFile(resource: uri, content: string): TPromise<IFileStat> {
		// TODO: Implement properly
457 458 459
		const backupName = paths.basename(resource.fsPath);
		const backupPath = paths.join(this.environmentService.userDataPath, 'File Backups', FileService.SESSION_BACKUP_ID, backupName);
		const backupResource = uri.file(backupPath);
D
Daniel Imms 已提交
460

D
Daniel Imms 已提交
461
		console.log(`Backing up to ${backupResource.fsPath}`);
D
Daniel Imms 已提交
462
		return this.updateContent(backupResource, content);
463 464
	}

465 466 467 468 469 470 471
	public discardBackup(resource: uri): TPromise<void> {
		const backupName = paths.basename(resource.fsPath);
		const backupPath = paths.join(this.environmentService.userDataPath, 'File Backups', FileService.SESSION_BACKUP_ID, backupName);
		const backupResource = uri.file(backupPath);
		return this.del(backupResource);
	}

D
Daniel Imms 已提交
472 473 474 475
	public discardBackups(): TPromise<void> {
		return this.del(uri.file(paths.join(this.environmentService.userDataPath, 'File Backups', FileService.SESSION_BACKUP_ID)));
	}

D
Daniel Imms 已提交
476 477 478 479
	public isHotExitEnabled(): boolean {
		return this.configuredHotExit;
	}

E
Erich Gamma 已提交
480 481
	// Helpers

B
Benjamin Pasero 已提交
482
	private toAbsolutePath(arg1: uri | IFileStat): string {
E
Erich Gamma 已提交
483
		let resource: uri;
484
		if (arg1 instanceof uri) {
E
Erich Gamma 已提交
485 486
			resource = <uri>arg1;
		} else {
B
Benjamin Pasero 已提交
487
			resource = (<IFileStat>arg1).resource;
E
Erich Gamma 已提交
488 489 490 491 492 493 494
		}

		assert.ok(resource && resource.scheme === 'file', 'Invalid resource: ' + resource);

		return paths.normalize(resource.fsPath);
	}

B
Benjamin Pasero 已提交
495
	private resolve(resource: uri, options: IResolveFileOptions = Object.create(null)): TPromise<IFileStat> {
E
Erich Gamma 已提交
496 497 498 499 500
		return this.toStatResolver(resource)
			.then(model => model.resolve(options));
	}

	private toStatResolver(resource: uri): TPromise<StatResolver> {
B
Benjamin Pasero 已提交
501
		const absolutePath = this.toAbsolutePath(resource);
E
Erich Gamma 已提交
502

503
		return pfs.stat(absolutePath).then(stat => {
504
			return new StatResolver(resource, stat.isDirectory(), stat.mtime.getTime(), stat.size, this.options.verboseLogging);
E
Erich Gamma 已提交
505 506 507
		});
	}

B
Benjamin Pasero 已提交
508
	private resolveFileStreamContent(resource: uri, etag?: string, enc?: string): TPromise<IStreamContent> {
B
Benjamin Pasero 已提交
509
		const absolutePath = this.toAbsolutePath(resource);
E
Erich Gamma 已提交
510

B
Benjamin Pasero 已提交
511
		return this.resolve(resource).then((model): TPromise<IStreamContent> => {
E
Erich Gamma 已提交
512 513 514

			// Return early if file not modified since
			if (etag && etag === model.etag) {
B
Benjamin Pasero 已提交
515 516
				return TPromise.wrapError(<IFileOperationResult>{
					fileOperationResult: FileOperationResult.FILE_NOT_MODIFIED_SINCE
E
Erich Gamma 已提交
517 518 519 520
				});
			}

			// Return early if file is too large to load
B
Benjamin Pasero 已提交
521 522 523
			if (types.isNumber(model.size) && model.size > MAX_FILE_SIZE) {
				return TPromise.wrapError(<IFileOperationResult>{
					fileOperationResult: FileOperationResult.FILE_TOO_LARGE
E
Erich Gamma 已提交
524 525 526
				});
			}

B
Benjamin Pasero 已提交
527
			const fileEncoding = this.getEncoding(model.resource, enc);
A
Alex Dima 已提交
528 529 530

			const reader = fs.createReadStream(absolutePath).pipe(encoding.decodeStream(fileEncoding)); // decode takes care of stripping any BOMs from the file content

B
Benjamin Pasero 已提交
531
			const content: IStreamContent = <any>model;
A
Alex Dima 已提交
532 533
			content.value = reader;
			content.encoding = fileEncoding; // make sure to store the encoding in the model to restore it later when writing
B
Benjamin Pasero 已提交
534

A
Alex Dima 已提交
535 536 537 538
			return TPromise.as(content);
		});
	}

B
Benjamin Pasero 已提交
539
	private resolveFileContent(resource: uri, etag?: string, enc?: string): TPromise<IContent> {
A
Alex Dima 已提交
540
		return this.resolveFileStreamContent(resource, etag, enc).then((streamContent) => {
B
Benjamin Pasero 已提交
541
			return new TPromise<IContent>((c, e) => {
542
				let done = false;
B
Benjamin Pasero 已提交
543
				const chunks: string[] = [];
E
Erich Gamma 已提交
544

545
				streamContent.value.on('data', buf => {
546 547 548
					chunks.push(buf);
				});

549
				streamContent.value.on('error', error => {
550 551 552 553 554 555
					if (!done) {
						done = true;
						e(error);
					}
				});

A
Alex Dima 已提交
556
				streamContent.value.on('end', () => {
B
Benjamin Pasero 已提交
557
					const content: IContent = <any>streamContent;
558 559 560 561 562 563
					content.value = chunks.join('');

					if (!done) {
						done = true;
						c(content);
					}
B
Benjamin Pasero 已提交
564
				});
E
Erich Gamma 已提交
565 566 567 568
			});
		});
	}

B
Benjamin Pasero 已提交
569
	private getEncoding(resource: uri, preferredEncoding?: string): string {
E
Erich Gamma 已提交
570 571
		let fileEncoding: string;

B
Benjamin Pasero 已提交
572
		const override = this.getEncodingOverride(resource);
E
Erich Gamma 已提交
573 574
		if (override) {
			fileEncoding = override;
B
Benjamin Pasero 已提交
575 576
		} else if (preferredEncoding) {
			fileEncoding = preferredEncoding;
577
		} else {
B
Benjamin Pasero 已提交
578
			fileEncoding = this.options.encoding;
E
Erich Gamma 已提交
579 580
		}

B
wip  
Benjamin Pasero 已提交
581
		if (!fileEncoding || !encoding.encodingExists(fileEncoding)) {
E
Erich Gamma 已提交
582 583 584 585 586 587 588 589 590
			fileEncoding = encoding.UTF8; // the default is UTF 8
		}

		return fileEncoding;
	}

	private getEncodingOverride(resource: uri): string {
		if (resource && this.options.encodingOverride && this.options.encodingOverride.length) {
			for (let i = 0; i < this.options.encodingOverride.length; i++) {
B
Benjamin Pasero 已提交
591
				const override = this.options.encodingOverride[i];
E
Erich Gamma 已提交
592 593 594 595 596 597 598 599 600 601 602 603

				// check if the resource is a child of the resource with override and use
				// the provided encoding in that case
				if (resource.toString().indexOf(override.resource.toString() + '/') === 0) {
					return override.encoding;
				}
			}
		}

		return null;
	}

604
	private checkFile(absolutePath: string, options: IUpdateContentOptions = Object.create(null)): TPromise<boolean /* exists */> {
605
		return pfs.exists(absolutePath).then(exists => {
E
Erich Gamma 已提交
606
			if (exists) {
607
				return pfs.stat(absolutePath).then(stat => {
E
Erich Gamma 已提交
608
					if (stat.isDirectory()) {
609
						return TPromise.wrapError(new Error('Expected file is actually a directory'));
E
Erich Gamma 已提交
610 611 612 613 614 615 616
					}

					// Dirty write prevention
					if (typeof options.mtime === 'number' && typeof options.etag === 'string' && options.mtime < stat.mtime.getTime()) {

						// Find out if content length has changed
						if (options.etag !== etag(stat.size, options.mtime)) {
B
Benjamin Pasero 已提交
617
							return TPromise.wrapError(<IFileOperationResult>{
E
Erich Gamma 已提交
618
								message: 'File Modified Since',
B
Benjamin Pasero 已提交
619
								fileOperationResult: FileOperationResult.FILE_MODIFIED_SINCE
E
Erich Gamma 已提交
620 621 622 623 624
							});
						}
					}

					let mode = stat.mode;
B
Benjamin Pasero 已提交
625
					const readonly = !(mode & 128);
E
Erich Gamma 已提交
626 627 628

					// Throw if file is readonly and we are not instructed to overwrite
					if (readonly && !options.overwriteReadonly) {
B
Benjamin Pasero 已提交
629
						return TPromise.wrapError(<IFileOperationResult>{
E
Erich Gamma 已提交
630
							message: nls.localize('fileReadOnlyError', "File is Read Only"),
B
Benjamin Pasero 已提交
631
							fileOperationResult: FileOperationResult.FILE_READ_ONLY
E
Erich Gamma 已提交
632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650
						});
					}

					if (readonly) {
						mode = mode | 128;
						return pfs.chmod(absolutePath, mode).then(() => exists);
					}

					return TPromise.as<boolean>(exists);
				});
			}

			return TPromise.as<boolean>(exists);
		});
	}

	public watchFileChanges(resource: uri): void {
		assert.ok(resource && resource.scheme === 'file', 'Invalid resource for watching: ' + resource);

B
Benjamin Pasero 已提交
651
		const fsPath = resource.fsPath;
E
Erich Gamma 已提交
652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672

		// Create or get watcher for provided path
		let watcher = this.activeFileChangesWatchers[resource.toString()];
		if (!watcher) {
			try {
				watcher = fs.watch(fsPath); // will be persistent but not recursive
			} catch (error) {
				// the path might not exist anymore, ignore this error and return
				return;
			}

			this.activeFileChangesWatchers[resource.toString()] = watcher;

			// eventType is either 'rename' or 'change'
			watcher.on('change', (eventType: string) => {
				if (eventType !== 'change') {
					return; // only care about changes for now ('rename' is not reliable and can be send even if the file is still there with some tools)
				}

				// add to bucket of undelivered events
				this.undeliveredRawFileChangesEvents.push({
B
Benjamin Pasero 已提交
673
					type: FileChangeType.UPDATED,
E
Erich Gamma 已提交
674 675 676
					path: fsPath
				});

677
				// handle emit through delayer to accommodate for bulk changes
E
Erich Gamma 已提交
678
				this.fileChangesWatchDelayer.trigger(() => {
B
Benjamin Pasero 已提交
679
					const buffer = this.undeliveredRawFileChangesEvents;
E
Erich Gamma 已提交
680 681 682
					this.undeliveredRawFileChangesEvents = [];

					// Normalize
B
Benjamin Pasero 已提交
683
					const normalizedEvents = normalize(buffer);
E
Erich Gamma 已提交
684 685

					// Emit
B
Benjamin Pasero 已提交
686
					this.eventEmitter.emit(EventType.FILE_CHANGES, toFileChangesEvent(normalizedEvents));
E
Erich Gamma 已提交
687

A
Alex Dima 已提交
688
					return TPromise.as(null);
E
Erich Gamma 已提交
689 690 691 692 693 694 695 696
				});
			});
		}
	}

	public unwatchFileChanges(resource: uri): void;
	public unwatchFileChanges(path: string): void;
	public unwatchFileChanges(arg1: any): void {
B
Benjamin Pasero 已提交
697
		const resource = (typeof arg1 === 'string') ? uri.parse(arg1) : arg1;
E
Erich Gamma 已提交
698

B
Benjamin Pasero 已提交
699
		const watcher = this.activeFileChangesWatchers[resource.toString()];
E
Erich Gamma 已提交
700 701 702 703 704 705 706 707 708 709 710 711 712
		if (watcher) {
			watcher.close();
			delete this.activeFileChangesWatchers[resource.toString()];
		}
	}

	public dispose(): void {
		if (this.workspaceWatcherToDispose) {
			this.workspaceWatcherToDispose();
			this.workspaceWatcherToDispose = null;
		}

		for (let key in this.activeFileChangesWatchers) {
B
Benjamin Pasero 已提交
713
			const watcher = this.activeFileChangesWatchers[key];
E
Erich Gamma 已提交
714 715 716
			watcher.close();
		}
		this.activeFileChangesWatchers = Object.create(null);
D
Daniel Imms 已提交
717 718

		this.toUnbind = dispose(this.toUnbind);
E
Erich Gamma 已提交
719 720 721 722 723 724 725 726 727 728 729
	}
}

export class StatResolver {
	private resource: uri;
	private isDirectory: boolean;
	private mtime: number;
	private name: string;
	private mime: string;
	private etag: string;
	private size: number;
730
	private verboseLogging: boolean;
E
Erich Gamma 已提交
731

732
	constructor(resource: uri, isDirectory: boolean, mtime: number, size: number, verboseLogging: boolean) {
E
Erich Gamma 已提交
733 734 735 736 737 738
		assert.ok(resource && resource.scheme === 'file', 'Invalid resource: ' + resource);

		this.resource = resource;
		this.isDirectory = isDirectory;
		this.mtime = mtime;
		this.name = paths.basename(resource.fsPath);
739
		this.mime = !this.isDirectory ? baseMime.guessMimeTypes(resource.fsPath).join(', ') : void 0;
E
Erich Gamma 已提交
740 741
		this.etag = etag(size, mtime);
		this.size = size;
742 743

		this.verboseLogging = verboseLogging;
E
Erich Gamma 已提交
744 745
	}

B
Benjamin Pasero 已提交
746
	public resolve(options: IResolveFileOptions): TPromise<IFileStat> {
E
Erich Gamma 已提交
747 748

		// General Data
B
Benjamin Pasero 已提交
749
		const fileStat: IFileStat = {
E
Erich Gamma 已提交
750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771
			resource: this.resource,
			isDirectory: this.isDirectory,
			hasChildren: undefined,
			name: this.name,
			etag: this.etag,
			size: this.size,
			mtime: this.mtime,
			mime: this.mime
		};

		// File Specific Data
		if (!this.isDirectory) {
			return TPromise.as(fileStat);
		}

		// Directory Specific Data
		else {

			// Convert the paths from options.resolveTo to absolute paths
			let absoluteTargetPaths: string[] = null;
			if (options && options.resolveTo) {
				absoluteTargetPaths = [];
772
				options.resolveTo.forEach(resource => {
E
Erich Gamma 已提交
773 774 775 776 777
					absoluteTargetPaths.push(resource.fsPath);
				});
			}

			return new TPromise((c, e) => {
778

E
Erich Gamma 已提交
779 780
				// Load children
				this.resolveChildren(this.resource.fsPath, absoluteTargetPaths, options && options.resolveSingleChildDescendants, (children) => {
781
					children = arrays.coalesce(children); // we don't want those null children (could be permission denied when reading a child)
E
Erich Gamma 已提交
782 783 784 785 786 787 788 789 790
					fileStat.hasChildren = children && children.length > 0;
					fileStat.children = children || [];

					c(fileStat);
				});
			});
		}
	}

B
Benjamin Pasero 已提交
791
	private resolveChildren(absolutePath: string, absoluteTargetPaths: string[], resolveSingleChildDescendants: boolean, callback: (children: IFileStat[]) => void): void {
E
Erich Gamma 已提交
792 793
		extfs.readdir(absolutePath, (error: Error, files: string[]) => {
			if (error) {
794 795 796
				if (this.verboseLogging) {
					console.error(error);
				}
E
Erich Gamma 已提交
797 798 799 800 801

				return callback(null); // return - we might not have permissions to read the folder
			}

			// for each file in the folder
B
Benjamin Pasero 已提交
802
			flow.parallel(files, (file: string, clb: (error: Error, children: IFileStat) => void) => {
B
Benjamin Pasero 已提交
803
				const fileResource = uri.file(paths.resolve(absolutePath, file));
804
				let fileStat: fs.Stats;
B
Benjamin Pasero 已提交
805
				const $this = this;
E
Erich Gamma 已提交
806 807 808

				flow.sequence(
					function onError(error: Error): void {
809
						if ($this.verboseLogging) {
810 811
							console.error(error);
						}
E
Erich Gamma 已提交
812 813 814 815 816

						clb(null, null); // return - we might not have permissions to read the folder or stat the file
					},

					function stat(): void {
817
						fs.stat(fileResource.fsPath, this);
E
Erich Gamma 已提交
818 819
					},

820
					function countChildren(fsstat: fs.Stats): void {
E
Erich Gamma 已提交
821 822 823
						fileStat = fsstat;

						if (fileStat.isDirectory()) {
824
							extfs.readdir(fileResource.fsPath, (error, result) => {
E
Erich Gamma 已提交
825 826 827 828 829 830 831 832
								this(null, result ? result.length : 0);
							});
						} else {
							this(null, 0);
						}
					},

					function resolve(childCount: number): void {
B
Benjamin Pasero 已提交
833
						const childStat: IFileStat = {
E
Erich Gamma 已提交
834 835 836 837 838 839 840
							resource: fileResource,
							isDirectory: fileStat.isDirectory(),
							hasChildren: childCount > 0,
							name: file,
							mtime: fileStat.mtime.getTime(),
							etag: etag(fileStat),
							size: fileStat.size,
841
							mime: !fileStat.isDirectory() ? baseMime.guessMimeTypes(fileResource.fsPath).join(', ') : void 0
E
Erich Gamma 已提交
842 843 844 845 846 847 848 849 850 851 852
						};

						// Return early for files
						if (!fileStat.isDirectory()) {
							return clb(null, childStat);
						}

						// Handle Folder
						let resolveFolderChildren = false;
						if (files.length === 1 && resolveSingleChildDescendants) {
							resolveFolderChildren = true;
853
						} else if (childCount > 0 && absoluteTargetPaths && absoluteTargetPaths.some(targetPath => basePaths.isEqualOrParent(targetPath, fileResource.fsPath))) {
E
Erich Gamma 已提交
854 855 856 857 858
							resolveFolderChildren = true;
						}

						// Continue resolving children based on condition
						if (resolveFolderChildren) {
859
							$this.resolveChildren(fileResource.fsPath, absoluteTargetPaths, resolveSingleChildDescendants, children => {
860
								children = arrays.coalesce(children);  // we don't want those null children
E
Erich Gamma 已提交
861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878
								childStat.hasChildren = children && children.length > 0;
								childStat.children = children || [];

								clb(null, childStat);
							});
						}

						// Otherwise return result
						else {
							clb(null, childStat);
						}
					});
			}, (errors, result) => {
				callback(result);
			});
		});
	}
}