browserfs
Version:
A filesystem in your browser!
441 lines (412 loc) • 14.7 kB
text/typescript
import {BaseFileSystem, FileSystem, BFSCallback, FileSystemOptions} from '../core/file_system';
import {ApiError, ErrorCode} from '../core/api_error';
import {FileFlag, ActionType} from '../core/file_flag';
import {copyingSlice, deprecationMessage} from '../core/util';
import {File} from '../core/file';
import Stats from '../core/node_fs_stats';
import {NoSyncFile} from '../generic/preload_file';
import {asyncDownloadFile, syncDownloadFile, getFileSizeAsync, getFileSizeSync} from '../generic/xhr';
import {FileIndex, isFileInode, isDirInode} from '../generic/file_index';
/**
* Try to convert the given buffer into a string, and pass it to the callback.
* Optimization that removes the needed try/catch into a helper function, as
* this is an uncommon case.
* @hidden
*/
function tryToString(buff: Buffer, encoding: string, cb: BFSCallback<string>) {
try {
cb(null, buff.toString(encoding));
} catch (e) {
cb(e);
}
}
/**
* Configuration options for an XmlHttpRequest file system.
*/
export interface XmlHttpRequestOptions {
// URL to a file index as a JSON file or the file index object itself, generated with the make_xhrfs_index script.
// Defaults to `index.json`.
index?: string | object;
// Used as the URL prefix for fetched files.
// Default: Fetch files relative to the index.
baseUrl?: string;
}
/**
* A simple filesystem backed by XMLHttpRequests. You must create a directory listing using the
* `make_xhrfs_index` tool provided by BrowserFS.
*
* If you install BrowserFS globally with `npm i -g browserfs`, you can generate a listing by
* running `make_xhrfs_index` in your terminal in the directory you would like to index:
*
* ```
* make_xhrfs_index > index.json
* ```
*
* Listings objects look like the following:
*
* ```json
* {
* "home": {
* "jvilk": {
* "someFile.txt": null,
* "someDir": {
* // Empty directory
* }
* }
* }
* }
* ```
*
* *This example has the folder `/home/jvilk` with subfile `someFile.txt` and subfolder `someDir`.*
*/
export default class XmlHttpRequest extends BaseFileSystem implements FileSystem {
public static readonly Name = "XmlHttpRequest";
public static readonly Options: FileSystemOptions = {
index: {
type: ["string", "object"],
optional: true,
description: "URL to a file index as a JSON file or the file index object itself, generated with the make_xhrfs_index script. Defaults to `index.json`."
},
baseUrl: {
type: "string",
optional: true,
description: "Used as the URL prefix for fetched files. Default: Fetch files relative to the index."
}
};
/**
* Construct an XmlHttpRequest file system backend with the given options.
*/
public static Create(opts: XmlHttpRequestOptions, cb: BFSCallback<XmlHttpRequest>): void {
if (opts.index === undefined) {
opts.index = `index.json`;
}
if (typeof(opts.index) === "string") {
XmlHttpRequest.FromURL(opts.index, cb, opts.baseUrl, false);
} else {
cb(null, new XmlHttpRequest(opts.index, opts.baseUrl, false));
}
}
public static isAvailable(): boolean {
return typeof(XMLHttpRequest) !== "undefined" && XMLHttpRequest !== null;
}
/**
* **Deprecated. Please use XmlHttpRequest.Create() method instead to construct XmlHttpRequest objects.**
*
* Constructs an XmlHttpRequest object using the directory listing at the given URL.
* Uses the base URL as the URL prefix for fetched files.
* @param cb Called when the file system has been instantiated, or if an error occurs.
*/
public static FromURL(url: string, cb: BFSCallback<XmlHttpRequest>, baseUrl = url.slice(0, url.lastIndexOf('/') + 1), deprecateMsg = true): void {
if (deprecateMsg) {
console.warn(`[XmlHttpRequest] XmlHttpRequest.FromURL() is deprecated and will be removed in the next major release. Please use 'XmlHttpRequest.Create({ index: "${url}", baseUrl: "${baseUrl}" }, cb)' instead.`);
}
asyncDownloadFile(url, "json", (e, data?) => {
if (e) {
cb(e);
} else {
cb(null, new XmlHttpRequest(data, baseUrl, false));
}
});
}
public readonly prefixUrl: string;
private _index: FileIndex<{}>;
/**
* **Deprecated. Please use XmlHttpRequest.Create() method instead to construct XmlHttpRequest objects.**
*
* Constructs the file system. You must provide the directory listing as a JSON object
* produced by the `make_xhrfs_index` script.
*
* **DEPRECATED:** You may pass a URL to the file index to the constructor, which will fetch the file index
* *synchronously* and may freeze up the web page. This behavior will be removed in the next major version
* of BrowserFS.
*
* @param listingUrlOrObj index object or the path to the JSON file index generated by
* `make_xhrfs_index`.
* @param prefixUrl URL that is prepended to any file locations in the file index. e.g. if `prefixUrl = 'data/`, and the user wants to open the file `/foo.txt`,
* the file system will fetch file `data/foo.txt`. The browser will access the file relative to the currrent webpage
* URL.
*/
constructor(listingUrlOrObj: string | object, prefixUrl: string = '', deprecateMsg = true) {
super();
if (!listingUrlOrObj) {
listingUrlOrObj = 'index.json';
}
// prefix_url must end in a directory separator.
if (prefixUrl.length > 0 && prefixUrl.charAt(prefixUrl.length - 1) !== '/') {
prefixUrl = prefixUrl + '/';
}
this.prefixUrl = prefixUrl;
let listing: object | null = null;
if (typeof(listingUrlOrObj) === "string") {
listing = this._requestFileSync(<string> listingUrlOrObj, 'json');
if (!listing) {
throw new Error("Unable to find listing at URL: ${listingUrlOrObj}");
}
} else {
listing = listingUrlOrObj;
}
deprecationMessage(deprecateMsg, XmlHttpRequest.Name, { index: typeof(listingUrlOrObj) === "string" ? listingUrlOrObj : "file index as an object", baseUrl: prefixUrl});
this._index = FileIndex.fromListing(listing);
}
public empty(): void {
this._index.fileIterator(function(file: Stats) {
file.fileData = null;
});
}
public getName(): string {
return XmlHttpRequest.Name;
}
public diskSpace(path: string, cb: (total: number, free: number) => void): void {
// Read-only file system. We could calculate the total space, but that's not
// important right now.
cb(0, 0);
}
public isReadOnly(): boolean {
return true;
}
public supportsLinks(): boolean {
return false;
}
public supportsProps(): boolean {
return false;
}
public supportsSynch(): boolean {
return true;
}
/**
* Special XHR function: Preload the given file into the index.
* @param [String] path
* @param [BrowserFS.Buffer] buffer
*/
public preloadFile(path: string, buffer: Buffer): void {
const inode = this._index.getInode(path);
if (isFileInode<Stats>(inode)) {
if (inode === null) {
throw ApiError.ENOENT(path);
}
const stats = inode.getData();
stats.size = buffer.length;
stats.fileData = buffer;
} else {
throw ApiError.EISDIR(path);
}
}
public stat(path: string, isLstat: boolean, cb: BFSCallback<Stats>): void {
const inode = this._index.getInode(path);
if (inode === null) {
return cb(ApiError.ENOENT(path));
}
let stats: Stats;
if (isFileInode<Stats>(inode)) {
stats = inode.getData();
// At this point, a non-opened file will still have default stats from the listing.
if (stats.size < 0) {
this._requestFileSizeAsync(path, function(e: ApiError, size?: number) {
if (e) {
return cb(e);
}
stats.size = size!;
cb(null, stats.clone());
});
} else {
cb(null, stats.clone());
}
} else if (isDirInode(inode)) {
stats = inode.getStats();
cb(null, stats);
} else {
cb(ApiError.FileError(ErrorCode.EINVAL, path));
}
}
public statSync(path: string, isLstat: boolean): Stats {
const inode = this._index.getInode(path);
if (inode === null) {
throw ApiError.ENOENT(path);
}
let stats: Stats;
if (isFileInode<Stats>(inode)) {
stats = inode.getData();
// At this point, a non-opened file will still have default stats from the listing.
if (stats.size < 0) {
stats.size = this._requestFileSizeSync(path);
}
} else if (isDirInode(inode)) {
stats = inode.getStats();
} else {
throw ApiError.FileError(ErrorCode.EINVAL, path);
}
return stats;
}
public open(path: string, flags: FileFlag, mode: number, cb: BFSCallback<File>): void {
// INVARIANT: You can't write to files on this file system.
if (flags.isWriteable()) {
return cb(new ApiError(ErrorCode.EPERM, path));
}
const self = this;
// Check if the path exists, and is a file.
const inode = this._index.getInode(path);
if (inode === null) {
return cb(ApiError.ENOENT(path));
}
if (isFileInode<Stats>(inode)) {
const stats = inode.getData();
switch (flags.pathExistsAction()) {
case ActionType.THROW_EXCEPTION:
case ActionType.TRUNCATE_FILE:
return cb(ApiError.EEXIST(path));
case ActionType.NOP:
// Use existing file contents.
// XXX: Uh, this maintains the previously-used flag.
if (stats.fileData) {
return cb(null, new NoSyncFile(self, path, flags, stats.clone(), stats.fileData));
}
// @todo be lazier about actually requesting the file
this._requestFileAsync(path, 'buffer', function(err: ApiError, buffer?: Buffer) {
if (err) {
return cb(err);
}
// we don't initially have file sizes
stats.size = buffer!.length;
stats.fileData = buffer!;
return cb(null, new NoSyncFile(self, path, flags, stats.clone(), buffer));
});
break;
default:
return cb(new ApiError(ErrorCode.EINVAL, 'Invalid FileMode object.'));
}
} else {
return cb(ApiError.EISDIR(path));
}
}
public openSync(path: string, flags: FileFlag, mode: number): File {
// INVARIANT: You can't write to files on this file system.
if (flags.isWriteable()) {
throw new ApiError(ErrorCode.EPERM, path);
}
// Check if the path exists, and is a file.
const inode = this._index.getInode(path);
if (inode === null) {
throw ApiError.ENOENT(path);
}
if (isFileInode<Stats>(inode)) {
const stats = inode.getData();
switch (flags.pathExistsAction()) {
case ActionType.THROW_EXCEPTION:
case ActionType.TRUNCATE_FILE:
throw ApiError.EEXIST(path);
case ActionType.NOP:
// Use existing file contents.
// XXX: Uh, this maintains the previously-used flag.
if (stats.fileData) {
return new NoSyncFile(this, path, flags, stats.clone(), stats.fileData);
}
// @todo be lazier about actually requesting the file
const buffer = this._requestFileSync(path, 'buffer');
// we don't initially have file sizes
stats.size = buffer.length;
stats.fileData = buffer;
return new NoSyncFile(this, path, flags, stats.clone(), buffer);
default:
throw new ApiError(ErrorCode.EINVAL, 'Invalid FileMode object.');
}
} else {
throw ApiError.EISDIR(path);
}
}
public readdir(path: string, cb: BFSCallback<string[]>): void {
try {
cb(null, this.readdirSync(path));
} catch (e) {
cb(e);
}
}
public readdirSync(path: string): string[] {
// Check if it exists.
const inode = this._index.getInode(path);
if (inode === null) {
throw ApiError.ENOENT(path);
} else if (isDirInode(inode)) {
return inode.getListing();
} else {
throw ApiError.ENOTDIR(path);
}
}
/**
* We have the entire file as a buffer; optimize readFile.
*/
public readFile(fname: string, encoding: string, flag: FileFlag, cb: BFSCallback<string | Buffer>): void {
// Wrap cb in file closing code.
const oldCb = cb;
// Get file.
this.open(fname, flag, 0x1a4, function(err: ApiError, fd?: File) {
if (err) {
return cb(err);
}
cb = function(err: ApiError, arg?: Buffer) {
fd!.close(function(err2: any) {
if (!err) {
err = err2;
}
return oldCb(err, arg);
});
};
const fdCast = <NoSyncFile<XmlHttpRequest>> fd;
const fdBuff = <Buffer> fdCast.getBuffer();
if (encoding === null) {
cb(err, copyingSlice(fdBuff));
} else {
tryToString(fdBuff, encoding, cb);
}
});
}
/**
* Specially-optimized readfile.
*/
public readFileSync(fname: string, encoding: string, flag: FileFlag): any {
// Get file.
const fd = this.openSync(fname, flag, 0x1a4);
try {
const fdCast = <NoSyncFile<XmlHttpRequest>> fd;
const fdBuff = <Buffer> fdCast.getBuffer();
if (encoding === null) {
return copyingSlice(fdBuff);
}
return fdBuff.toString(encoding);
} finally {
fd.closeSync();
}
}
private getXhrPath(filePath: string): string {
if (filePath.charAt(0) === '/') {
filePath = filePath.slice(1);
}
return this.prefixUrl + filePath;
}
/**
* Asynchronously download the given file.
*/
private _requestFileAsync(p: string, type: 'buffer', cb: BFSCallback<Buffer>): void;
private _requestFileAsync(p: string, type: 'json', cb: BFSCallback<any>): void;
private _requestFileAsync(p: string, type: string, cb: BFSCallback<any>): void;
private _requestFileAsync(p: string, type: string, cb: BFSCallback<any>): void {
asyncDownloadFile(this.getXhrPath(p), type, cb);
}
/**
* Synchronously download the given file.
*/
private _requestFileSync(p: string, type: 'buffer'): Buffer;
private _requestFileSync(p: string, type: 'json'): any;
private _requestFileSync(p: string, type: string): any;
private _requestFileSync(p: string, type: string): any {
return syncDownloadFile(this.getXhrPath(p), type);
}
/**
* Only requests the HEAD content, for the file size.
*/
private _requestFileSizeAsync(path: string, cb: BFSCallback<number>): void {
getFileSizeAsync(this.getXhrPath(path), cb);
}
private _requestFileSizeSync(path: string): number {
return getFileSizeSync(this.getXhrPath(path));
}
}