fileService.ts 27.3 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');

J
Johannes Rieken 已提交
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');
J
Johannes Rieken 已提交
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');
J
Johannes Rieken 已提交
23
import { nfcall, Limiter, ThrottledDelayer } from 'vs/base/common/async';
E
Erich Gamma 已提交
24 25 26 27 28 29 30
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');
J
Johannes Rieken 已提交
31 32 33 34
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';
import { IEventService } from 'vs/platform/event/common/event';
E
Erich Gamma 已提交
35 36 37 38 39 40 41 42 43 44

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

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

52
function etag(stat: fs.Stats): string;
E
Erich Gamma 已提交
53 54 55 56 57 58 59 60
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 {
61 62
		size = (<fs.Stats>arg1).size;
		mtime = (<fs.Stats>arg1).mtime.getTime();
E
Erich Gamma 已提交
63 64 65 66 67
	}

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

B
Benjamin Pasero 已提交
68
export class FileService implements IFileService {
E
Erich Gamma 已提交
69

70
	public _serviceBrand: any;
E
Erich Gamma 已提交
71 72 73 74 75 76 77 78 79 80 81

	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

	private basePath: string;
	private tmpPath: string;
	private options: IFileServiceOptions;

	private workspaceWatcherToDispose: () => void;

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

85 86 87
	constructor(
		basePath: string,
		options: IFileServiceOptions,
88
		private eventEmitter: IEventService
89
	) {
E
Erich Gamma 已提交
90 91 92 93 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
		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 已提交
120
		this.fileChangesWatchDelayer = new ThrottledDelayer<void>(FileService.FS_EVENT_DELAY);
E
Erich Gamma 已提交
121 122 123 124 125 126 127 128 129 130 131 132 133 134
		this.undeliveredRawFileChangesEvents = [];
	}

	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 已提交
135
		this.workspaceWatcherToDispose = new UnixWatcherService(this.basePath, this.options.watcherIgnoredPatterns, this.eventEmitter, this.options.errorLogger, this.options.verboseLogging).startWatching();
E
Erich Gamma 已提交
136 137
	}

B
Benjamin Pasero 已提交
138
	public resolveFile(resource: uri, options?: IResolveFileOptions): TPromise<IFileStat> {
E
Erich Gamma 已提交
139 140 141
		return this.resolve(resource, options);
	}

142 143 144 145
	public existsFile(resource: uri): TPromise<boolean> {
		return this.resolveFile(resource).then(() => true, () => false);
	}

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

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

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

157 158 159
		// Guard early against attempts to resolve an invalid file path
		if (resource.scheme !== 'file' || !resource.fsPath) {
			return TPromise.wrapError(<IFileOperationResult>{
B
Benjamin Pasero 已提交
160 161
				message: nls.localize('fileInvalidPath', "Invalid file resource ({0})", resource.toString()),
				fileOperationResult: FileOperationResult.FILE_INVALID_PATH
162 163 164
			});
		}

E
Erich Gamma 已提交
165
		// 1.) detect mimes
B
Benjamin Pasero 已提交
166
		return nfcall(mime.detectMimesFromFile, absolutePath).then((detected: mime.IMimeAndEncoding): TPromise<T> => {
B
Benjamin Pasero 已提交
167
			const isText = detected.mimes.indexOf(baseMime.MIME_BINARY) === -1;
E
Erich Gamma 已提交
168 169 170

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

B
Benjamin Pasero 已提交
177 178 179 180 181 182 183 184 185 186 187 188 189 190 191
			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 已提交
192 193
			}

E
Erich Gamma 已提交
194
			// 2.) get content
195
			return contentResolver(resource, options && options.etag, preferredEncoding);
E
Erich Gamma 已提交
196 197 198
		}, (error) => {

			// bubble up existing file operation results
B
Benjamin Pasero 已提交
199
			if (!types.isUndefinedOrNull((<IFileOperationResult>error).fileOperationResult)) {
200
				return TPromise.wrapError(error);
E
Erich Gamma 已提交
201 202 203
			}

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

				// Return if file not found
				if (!exists) {
B
Benjamin Pasero 已提交
208
					return TPromise.wrapError(<IFileOperationResult>{
E
Erich Gamma 已提交
209
						message: nls.localize('fileNotFoundError', "File not found ({0})", absolutePath),
B
Benjamin Pasero 已提交
210
						fileOperationResult: FileOperationResult.FILE_NOT_FOUND
E
Erich Gamma 已提交
211 212 213 214
					});
				}

				// Otherwise check for file being a folder?
215
				return pfs.stat(absolutePath).then(stat => {
E
Erich Gamma 已提交
216
					if (stat.isDirectory()) {
B
Benjamin Pasero 已提交
217
						return TPromise.wrapError(<IFileOperationResult>{
E
Erich Gamma 已提交
218
							message: nls.localize('fileIsDirectoryError', "File is directory ({0})", absolutePath),
B
Benjamin Pasero 已提交
219
							fileOperationResult: FileOperationResult.FILE_IS_DIRECTORY
E
Erich Gamma 已提交
220 221 222 223
						});
					}

					// otherwise just give up
224
					return TPromise.wrapError(error);
E
Erich Gamma 已提交
225 226 227 228 229
				});
			});
		});
	}

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

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

238
		return TPromise.join(contentPromises).then(contents => {
E
Erich Gamma 已提交
239 240 241 242
			return arrays.coalesce(contents);
		});
	}

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

		// 1.) check file
247
		return this.checkFile(absolutePath, options).then(exists => {
248
			let createParentsPromise: TPromise<boolean>;
E
Erich Gamma 已提交
249
			if (exists) {
A
Alex Dima 已提交
250
				createParentsPromise = TPromise.as(null);
E
Erich Gamma 已提交
251 252 253 254 255 256
			} else {
				createParentsPromise = pfs.mkdirp(paths.dirname(absolutePath));
			}

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

				// 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 已提交
262 263 264
					addBomPromise = TPromise.as(true);
				}

B
wip  
Benjamin Pasero 已提交
265 266 267 268 269
				// 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 {
270
						addBomPromise = nfcall(encoding.detectEncodingByBOM, absolutePath).then(enc => enc === encoding.UTF8); // otherwise preserve it if found
271
					}
E
Erich Gamma 已提交
272 273 274
				}

				// 3.) check to add UTF BOM
275
				return addBomPromise.then(addBom => {
276
					let writeFilePromise: TPromise<void>;
E
Erich Gamma 已提交
277 278 279

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

B
wip  
Benjamin Pasero 已提交
283
					// Otherwise use encoding lib
E
Erich Gamma 已提交
284
					else {
B
Benjamin Pasero 已提交
285
						const encoded = encoding.encode(value, encodingToWrite, { addBOM: addBom });
286
						writeFilePromise = pfs.writeFileAndFlush(absolutePath, encoded);
E
Erich Gamma 已提交
287 288 289 290 291 292 293 294 295 296 297 298 299
					}

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

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

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

B
Benjamin Pasero 已提交
304
	public createFolder(resource: uri): TPromise<IFileStat> {
E
Erich Gamma 已提交
305 306

		// 1.) create folder
B
Benjamin Pasero 已提交
307
		const absolutePath = this.toAbsolutePath(resource);
E
Erich Gamma 已提交
308 309 310 311 312 313 314
		return pfs.mkdirp(absolutePath).then(() => {

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

315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330
	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
331
				return pfs.touch(absolutePath).then(() => {
332 333 334 335 336 337 338 339

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

B
Benjamin Pasero 已提交
340
	public rename(resource: uri, newName: string): TPromise<IFileStat> {
B
Benjamin Pasero 已提交
341
		const newPath = paths.join(paths.dirname(resource.fsPath), newName);
E
Erich Gamma 已提交
342 343 344 345

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

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

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

B
Benjamin Pasero 已提交
354
	private moveOrCopyFile(source: uri, target: uri, keepCopy: boolean, overwrite: boolean): TPromise<IFileStat> {
B
Benjamin Pasero 已提交
355 356
		const sourcePath = this.toAbsolutePath(source);
		const targetPath = this.toAbsolutePath(target);
E
Erich Gamma 已提交
357 358 359 360 361 362 363 364 365 366 367 368

		// 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
369
		return pfs.exists(targetPath).then(exists => {
B
Benjamin Pasero 已提交
370 371
			const isCaseRename = sourcePath.toLowerCase() === targetPath.toLowerCase();
			const isSameFile = sourcePath === targetPath;
E
Erich Gamma 已提交
372 373 374

			// Return early with conflict if target exists and we are not told to overwrite
			if (exists && !isCaseRename && !overwrite) {
B
Benjamin Pasero 已提交
375 376
				return TPromise.wrapError(<IFileOperationResult>{
					fileOperationResult: FileOperationResult.FILE_MOVE_CONFLICT
E
Erich Gamma 已提交
377 378 379 380
				});
			}

			// 2.) make sure target is deleted before we move/copy unless this is a case rename of the same file
A
Alex Dima 已提交
381
			let deleteTargetPromise = TPromise.as(null);
E
Erich Gamma 已提交
382 383
			if (exists && !isCaseRename) {
				if (basePaths.isEqualOrParent(sourcePath, targetPath)) {
384
					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 已提交
385 386 387 388 389 390 391 392 393
				}

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

			return deleteTargetPromise.then(() => {

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

E
Erich Gamma 已提交
395
					// 4.) copy/move
396 397 398
					if (isSameFile) {
						return TPromise.as(null);
					} else if (keepCopy) {
E
Erich Gamma 已提交
399 400 401 402 403 404 405 406 407
						return nfcall(extfs.copy, sourcePath, targetPath);
					} else {
						return nfcall(extfs.mv, sourcePath, targetPath);
					}
				}).then(() => exists);
			});
		});
	}

B
Benjamin Pasero 已提交
408
	public importFile(source: uri, targetFolder: uri): TPromise<IImportResult> {
B
Benjamin Pasero 已提交
409 410 411
		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 已提交
412 413

		// 1.) resolve
414
		return pfs.stat(sourcePath).then(stat => {
E
Erich Gamma 已提交
415
			if (stat.isDirectory()) {
416
				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 已提交
417 418 419
			}

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

				// 3.) resolve
423
				return this.resolve(targetResource).then(stat => <IImportResult>{ isNew: !exists, stat: stat });
E
Erich Gamma 已提交
424 425 426 427
			});
		});
	}

428
	public del(resource: uri): TPromise<void> {
B
Benjamin Pasero 已提交
429
		const absolutePath = this.toAbsolutePath(resource);
E
Erich Gamma 已提交
430 431 432 433

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

B
Benjamin Pasero 已提交
434
	private toAbsolutePath(arg1: uri | IFileStat): string {
E
Erich Gamma 已提交
435
		let resource: uri;
436
		if (arg1 instanceof uri) {
E
Erich Gamma 已提交
437 438
			resource = <uri>arg1;
		} else {
B
Benjamin Pasero 已提交
439
			resource = (<IFileStat>arg1).resource;
E
Erich Gamma 已提交
440 441 442 443 444 445 446
		}

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

		return paths.normalize(resource.fsPath);
	}

B
Benjamin Pasero 已提交
447
	private resolve(resource: uri, options: IResolveFileOptions = Object.create(null)): TPromise<IFileStat> {
E
Erich Gamma 已提交
448 449 450 451 452
		return this.toStatResolver(resource)
			.then(model => model.resolve(options));
	}

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

455
		return pfs.stat(absolutePath).then(stat => {
456
			return new StatResolver(resource, stat.isDirectory(), stat.mtime.getTime(), stat.size, this.options.verboseLogging);
E
Erich Gamma 已提交
457 458 459
		});
	}

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

B
Benjamin Pasero 已提交
463
		return this.resolve(resource).then((model): TPromise<IStreamContent> => {
E
Erich Gamma 已提交
464 465 466

			// Return early if file not modified since
			if (etag && etag === model.etag) {
B
Benjamin Pasero 已提交
467 468
				return TPromise.wrapError(<IFileOperationResult>{
					fileOperationResult: FileOperationResult.FILE_NOT_MODIFIED_SINCE
E
Erich Gamma 已提交
469 470 471 472
				});
			}

			// Return early if file is too large to load
B
Benjamin Pasero 已提交
473 474 475
			if (types.isNumber(model.size) && model.size > MAX_FILE_SIZE) {
				return TPromise.wrapError(<IFileOperationResult>{
					fileOperationResult: FileOperationResult.FILE_TOO_LARGE
E
Erich Gamma 已提交
476 477 478
				});
			}

B
Benjamin Pasero 已提交
479
			const fileEncoding = this.getEncoding(model.resource, enc);
A
Alex Dima 已提交
480 481 482

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

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

A
Alex Dima 已提交
487 488 489 490
			return TPromise.as(content);
		});
	}

B
Benjamin Pasero 已提交
491
	private resolveFileContent(resource: uri, etag?: string, enc?: string): TPromise<IContent> {
A
Alex Dima 已提交
492
		return this.resolveFileStreamContent(resource, etag, enc).then((streamContent) => {
B
Benjamin Pasero 已提交
493
			return new TPromise<IContent>((c, e) => {
494
				let done = false;
B
Benjamin Pasero 已提交
495
				const chunks: string[] = [];
E
Erich Gamma 已提交
496

497
				streamContent.value.on('data', buf => {
498 499 500
					chunks.push(buf);
				});

501
				streamContent.value.on('error', error => {
502 503 504 505 506 507
					if (!done) {
						done = true;
						e(error);
					}
				});

A
Alex Dima 已提交
508
				streamContent.value.on('end', () => {
B
Benjamin Pasero 已提交
509
					const content: IContent = <any>streamContent;
510 511 512 513 514 515
					content.value = chunks.join('');

					if (!done) {
						done = true;
						c(content);
					}
B
Benjamin Pasero 已提交
516
				});
E
Erich Gamma 已提交
517 518 519 520
			});
		});
	}

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

B
Benjamin Pasero 已提交
524
		const override = this.getEncodingOverride(resource);
E
Erich Gamma 已提交
525 526
		if (override) {
			fileEncoding = override;
B
Benjamin Pasero 已提交
527 528
		} else if (preferredEncoding) {
			fileEncoding = preferredEncoding;
529
		} else {
B
Benjamin Pasero 已提交
530
			fileEncoding = this.options.encoding;
E
Erich Gamma 已提交
531 532
		}

B
wip  
Benjamin Pasero 已提交
533
		if (!fileEncoding || !encoding.encodingExists(fileEncoding)) {
E
Erich Gamma 已提交
534 535 536 537 538 539 540 541 542
			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 已提交
543
				const override = this.options.encodingOverride[i];
E
Erich Gamma 已提交
544 545 546 547 548 549 550 551 552 553 554 555

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

556
	private checkFile(absolutePath: string, options: IUpdateContentOptions = Object.create(null)): TPromise<boolean /* exists */> {
557
		return pfs.exists(absolutePath).then(exists => {
E
Erich Gamma 已提交
558
			if (exists) {
559
				return pfs.stat(absolutePath).then(stat => {
E
Erich Gamma 已提交
560
					if (stat.isDirectory()) {
561
						return TPromise.wrapError(new Error('Expected file is actually a directory'));
E
Erich Gamma 已提交
562 563 564 565 566 567 568
					}

					// 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 已提交
569
							return TPromise.wrapError(<IFileOperationResult>{
E
Erich Gamma 已提交
570
								message: 'File Modified Since',
B
Benjamin Pasero 已提交
571
								fileOperationResult: FileOperationResult.FILE_MODIFIED_SINCE
E
Erich Gamma 已提交
572 573 574 575 576
							});
						}
					}

					let mode = stat.mode;
B
Benjamin Pasero 已提交
577
					const readonly = !(mode & 128);
E
Erich Gamma 已提交
578 579 580

					// Throw if file is readonly and we are not instructed to overwrite
					if (readonly && !options.overwriteReadonly) {
B
Benjamin Pasero 已提交
581
						return TPromise.wrapError(<IFileOperationResult>{
E
Erich Gamma 已提交
582
							message: nls.localize('fileReadOnlyError', "File is Read Only"),
B
Benjamin Pasero 已提交
583
							fileOperationResult: FileOperationResult.FILE_READ_ONLY
E
Erich Gamma 已提交
584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602
						});
					}

					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 已提交
603
		const fsPath = resource.fsPath;
E
Erich Gamma 已提交
604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624

		// 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 已提交
625
					type: FileChangeType.UPDATED,
E
Erich Gamma 已提交
626 627 628
					path: fsPath
				});

629
				// handle emit through delayer to accommodate for bulk changes
E
Erich Gamma 已提交
630
				this.fileChangesWatchDelayer.trigger(() => {
B
Benjamin Pasero 已提交
631
					const buffer = this.undeliveredRawFileChangesEvents;
E
Erich Gamma 已提交
632 633 634
					this.undeliveredRawFileChangesEvents = [];

					// Normalize
B
Benjamin Pasero 已提交
635
					const normalizedEvents = normalize(buffer);
E
Erich Gamma 已提交
636 637

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

A
Alex Dima 已提交
640
					return TPromise.as(null);
E
Erich Gamma 已提交
641 642 643 644 645 646 647 648
				});
			});
		}
	}

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

B
Benjamin Pasero 已提交
651
		const watcher = this.activeFileChangesWatchers[resource.toString()];
E
Erich Gamma 已提交
652 653 654 655 656 657 658 659 660 661 662 663 664
		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 已提交
665
			const watcher = this.activeFileChangesWatchers[key];
E
Erich Gamma 已提交
666 667 668 669 670 671 672 673 674 675 676 677 678
			watcher.close();
		}
		this.activeFileChangesWatchers = Object.create(null);
	}
}

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

681
	constructor(resource: uri, isDirectory: boolean, mtime: number, size: number, verboseLogging: boolean) {
E
Erich Gamma 已提交
682 683 684 685 686 687 688 689
		assert.ok(resource && resource.scheme === 'file', 'Invalid resource: ' + resource);

		this.resource = resource;
		this.isDirectory = isDirectory;
		this.mtime = mtime;
		this.name = paths.basename(resource.fsPath);
		this.etag = etag(size, mtime);
		this.size = size;
690 691

		this.verboseLogging = verboseLogging;
E
Erich Gamma 已提交
692 693
	}

B
Benjamin Pasero 已提交
694
	public resolve(options: IResolveFileOptions): TPromise<IFileStat> {
E
Erich Gamma 已提交
695 696

		// General Data
B
Benjamin Pasero 已提交
697
		const fileStat: IFileStat = {
E
Erich Gamma 已提交
698 699 700 701 702 703
			resource: this.resource,
			isDirectory: this.isDirectory,
			hasChildren: undefined,
			name: this.name,
			etag: this.etag,
			size: this.size,
704
			mtime: this.mtime
E
Erich Gamma 已提交
705 706 707 708 709 710 711 712 713 714 715 716 717 718
		};

		// 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 = [];
719
				options.resolveTo.forEach(resource => {
E
Erich Gamma 已提交
720 721 722 723 724
					absoluteTargetPaths.push(resource.fsPath);
				});
			}

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

E
Erich Gamma 已提交
726 727
				// Load children
				this.resolveChildren(this.resource.fsPath, absoluteTargetPaths, options && options.resolveSingleChildDescendants, (children) => {
728
					children = arrays.coalesce(children); // we don't want those null children (could be permission denied when reading a child)
E
Erich Gamma 已提交
729 730 731 732 733 734 735 736 737
					fileStat.hasChildren = children && children.length > 0;
					fileStat.children = children || [];

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

B
Benjamin Pasero 已提交
738
	private resolveChildren(absolutePath: string, absoluteTargetPaths: string[], resolveSingleChildDescendants: boolean, callback: (children: IFileStat[]) => void): void {
E
Erich Gamma 已提交
739 740
		extfs.readdir(absolutePath, (error: Error, files: string[]) => {
			if (error) {
741 742 743
				if (this.verboseLogging) {
					console.error(error);
				}
E
Erich Gamma 已提交
744 745 746 747 748

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

			// for each file in the folder
B
Benjamin Pasero 已提交
749
			flow.parallel(files, (file: string, clb: (error: Error, children: IFileStat) => void) => {
B
Benjamin Pasero 已提交
750
				const fileResource = uri.file(paths.resolve(absolutePath, file));
751
				let fileStat: fs.Stats;
B
Benjamin Pasero 已提交
752
				const $this = this;
E
Erich Gamma 已提交
753 754 755

				flow.sequence(
					function onError(error: Error): void {
756
						if ($this.verboseLogging) {
757 758
							console.error(error);
						}
E
Erich Gamma 已提交
759 760 761 762 763

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

					function stat(): void {
764
						fs.stat(fileResource.fsPath, this);
E
Erich Gamma 已提交
765 766
					},

767
					function countChildren(fsstat: fs.Stats): void {
E
Erich Gamma 已提交
768 769 770
						fileStat = fsstat;

						if (fileStat.isDirectory()) {
771
							extfs.readdir(fileResource.fsPath, (error, result) => {
E
Erich Gamma 已提交
772 773 774 775 776 777 778 779
								this(null, result ? result.length : 0);
							});
						} else {
							this(null, 0);
						}
					},

					function resolve(childCount: number): void {
B
Benjamin Pasero 已提交
780
						const childStat: IFileStat = {
E
Erich Gamma 已提交
781 782 783 784 785 786
							resource: fileResource,
							isDirectory: fileStat.isDirectory(),
							hasChildren: childCount > 0,
							name: file,
							mtime: fileStat.mtime.getTime(),
							etag: etag(fileStat),
787
							size: fileStat.size
E
Erich Gamma 已提交
788 789 790 791 792 793 794 795 796 797 798
						};

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

						// Handle Folder
						let resolveFolderChildren = false;
						if (files.length === 1 && resolveSingleChildDescendants) {
							resolveFolderChildren = true;
799
						} else if (childCount > 0 && absoluteTargetPaths && absoluteTargetPaths.some(targetPath => basePaths.isEqualOrParent(targetPath, fileResource.fsPath))) {
E
Erich Gamma 已提交
800 801 802 803 804
							resolveFolderChildren = true;
						}

						// Continue resolving children based on condition
						if (resolveFolderChildren) {
805
							$this.resolveChildren(fileResource.fsPath, absoluteTargetPaths, resolveSingleChildDescendants, children => {
806
								children = arrays.coalesce(children);  // we don't want those null children
E
Erich Gamma 已提交
807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824
								childStat.hasChildren = children && children.length > 0;
								childStat.children = children || [];

								clb(null, childStat);
							});
						}

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