diff options
author | Kitson Kelly <me@kitsonkelly.com> | 2018-11-20 10:51:35 +1100 |
---|---|---|
committer | Ryan Dahl <ry@tinyclouds.org> | 2018-11-20 08:46:56 -0800 |
commit | 3d03f5b0cb3c513e449f3aaa5d35c493b72f47b4 (patch) | |
tree | ce5d20849c3bc10aca0708f8d3910c8ab4cd82fd /js/compiler.ts | |
parent | 3597d6859cacf0ef3ef935ad7d4e98d4df4a15ff (diff) |
Split Runner from Compiler
Diffstat (limited to 'js/compiler.ts')
-rw-r--r-- | js/compiler.ts | 418 |
1 files changed, 116 insertions, 302 deletions
diff --git a/js/compiler.ts b/js/compiler.ts index d87309512..9ba018932 100644 --- a/js/compiler.ts +++ b/js/compiler.ts @@ -1,33 +1,18 @@ // Copyright 2018 the Deno authors. All rights reserved. MIT license. import * as ts from "typescript"; import { MediaType } from "gen/msg_generated"; + import { assetSourceCode } from "./assets"; -// tslint:disable-next-line:no-circular-imports -import * as deno from "./deno"; -import { globalEval } from "./global_eval"; import { libdeno } from "./libdeno"; import * as os from "./os"; +import { CodeProvider } from "./runner"; import { RawSourceMap } from "./types"; import { assert, log, notImplemented } from "./util"; -const window = globalEval("this"); - const EOL = "\n"; const ASSETS = "$asset$"; const LIB_RUNTIME = "lib.deno_runtime.d.ts"; -// tslint:disable:no-any -type AmdCallback = (...args: any[]) => void; -type AmdErrback = (err: any) => void; -export type AmdFactory = (...args: any[]) => object | void; -// tslint:enable:no-any -export type AmdDefine = (deps: ModuleSpecifier[], factory: AmdFactory) => void; -type AMDRequire = ( - deps: ModuleSpecifier[], - callback: AmdCallback, - errback: AmdErrback -) => void; - /** The location that a module is being loaded from. This could be a directory, * like `.`, or it could be a module specifier like * `http://gist.github.com/somefile.ts` @@ -78,11 +63,6 @@ export interface Ts { * the module, not the actual module instance. */ export class ModuleMetaData implements ts.IScriptSnapshot { - public deps?: ModuleFileName[]; - public exports = {}; - public factory?: AmdFactory; - public gatheringDeps = false; - public hasRun = false; public scriptVersion = ""; constructor( @@ -142,8 +122,8 @@ export function jsonAmdTemplate( * with Deno specific APIs to provide an interface for compiling and running * TypeScript and JavaScript modules. */ -export class DenoCompiler - implements ts.LanguageServiceHost, ts.FormatDiagnosticsHost { +export class Compiler + implements ts.LanguageServiceHost, ts.FormatDiagnosticsHost, CodeProvider { // Modules are usually referenced by their ModuleSpecifier and ContainingFile, // and keeping a map of the resolved module file name allows more efficient // future resolution @@ -151,8 +131,6 @@ export class DenoCompiler ContainingFile, Map<ModuleSpecifier, ModuleFileName> >(); - // A reference to global eval, so it can be monkey patched during testing - private _globalEval = globalEval; // Keep track of state of the last module requested via `getGeneratedContents` private _lastModule: ModuleMetaData | undefined; // A reference to the log utility, so it can be monkey patched during testing @@ -177,10 +155,7 @@ export class DenoCompiler // A reference to the `./os.ts` module, so it can be monkey patched during // testing private _os: Os = os; - // Contains a queue of modules that have been resolved, but not yet - // run - private _runQueue: ModuleMetaData[] = []; - // Used to contain the script file we are currently running + // Used to contain the script file we are currently compiling private _scriptFileNames: string[] = []; // A reference to the TypeScript LanguageService instance so it can be // monkey patched during testing @@ -188,84 +163,9 @@ export class DenoCompiler // A reference to `typescript` module so it can be monkey patched during // testing private _ts: Ts = ts; - // A reference to the global scope so it can be monkey patched during - // testing - private _window = window; // Flags forcing recompilation of TS code public recompile = false; - /** Drain the run queue, retrieving the arguments for the module - * factory and calling the module's factory. - */ - private _drainRunQueue(): void { - this._log( - "compiler._drainRunQueue", - this._runQueue.map(metaData => metaData.fileName) - ); - let moduleMetaData: ModuleMetaData | undefined; - while ((moduleMetaData = this._runQueue.shift())) { - assert( - moduleMetaData.factory != null, - "Cannot run module without factory." - ); - assert(moduleMetaData.hasRun === false, "Module has already been run."); - // asserts not tracked by TypeScripts, so using not null operator - const exports = moduleMetaData.factory!( - ...this._getFactoryArguments(moduleMetaData) - ); - // For JSON module support and potential future features. - // TypeScript always imports `exports` and mutates it directly, but the - // AMD specification allows values to be returned from the factory. - if (exports != null) { - moduleMetaData.exports = exports; - } - moduleMetaData.hasRun = true; - } - } - - /** Get the dependencies for a given module, but don't run the module, - * just add the module factory to the run queue. - */ - private _gatherDependencies(moduleMetaData: ModuleMetaData): void { - this._log("compiler._resolveDependencies", moduleMetaData.fileName); - - // if the module has already run, we can short circuit. - // it is intentional though that if we have already resolved dependencies, - // we won't short circuit, as something may have changed, or we might have - // only collected the dependencies to be able to able to obtain the graph of - // dependencies - if (moduleMetaData.hasRun) { - return; - } - - this._window.define = this._makeDefine(moduleMetaData); - this._globalEval(this.compile(moduleMetaData)); - this._window.define = undefined; - } - - /** Retrieve the arguments to pass a module's factory function. */ - // tslint:disable-next-line:no-any - private _getFactoryArguments(moduleMetaData: ModuleMetaData): any[] { - if (!moduleMetaData.deps) { - throw new Error("Cannot get arguments until dependencies resolved."); - } - return moduleMetaData.deps.map(dep => { - if (dep === "require") { - return this._makeLocalRequire(moduleMetaData); - } - if (dep === "exports") { - return moduleMetaData.exports; - } - if (dep in DenoCompiler._builtins) { - return DenoCompiler._builtins[dep]; - } - const dependencyMetaData = this._getModuleMetaData(dep); - assert(dependencyMetaData != null, `Missing dependency "${dep}".`); - // TypeScript does not track assert, therefore using not null operator - return dependencyMetaData!.exports; - }); - } - /** The TypeScript language service often refers to the resolved fileName of * a module, this is a shortcut to avoid unnecessary module resolution logic * for modules that may have been initially resolved by a `moduleSpecifier` @@ -280,70 +180,10 @@ export class DenoCompiler return this._moduleMetaDataMap.has(fileName) ? this._moduleMetaDataMap.get(fileName) : fileName.startsWith(ASSETS) - ? this.resolveModule(fileName, "") + ? this._resolveModule(fileName, "") : undefined; } - /** Create a localized AMD `define` function and return it. */ - private _makeDefine(moduleMetaData: ModuleMetaData): AmdDefine { - return (deps: ModuleSpecifier[], factory: AmdFactory): void => { - this._log("compiler.localDefine", moduleMetaData.fileName); - moduleMetaData.factory = factory; - // when there are circular dependencies, we need to skip recursing the - // dependencies - moduleMetaData.gatheringDeps = true; - // we will recursively resolve the dependencies for any modules - moduleMetaData.deps = deps.map(dep => { - if ( - dep === "require" || - dep === "exports" || - dep in DenoCompiler._builtins - ) { - return dep; - } - const dependencyMetaData = this.resolveModule( - dep, - moduleMetaData.fileName - ); - if (!dependencyMetaData.gatheringDeps) { - this._gatherDependencies(dependencyMetaData); - } - return dependencyMetaData.fileName; - }); - moduleMetaData.gatheringDeps = false; - if (!this._runQueue.includes(moduleMetaData)) { - this._runQueue.push(moduleMetaData); - } - }; - } - - /** Returns a require that specifically handles the resolution of a transpiled - * emit of a dynamic ES `import()` from TypeScript. - */ - private _makeLocalRequire(moduleMetaData: ModuleMetaData): AMDRequire { - return ( - deps: ModuleSpecifier[], - callback: AmdCallback, - errback: AmdErrback - ): void => { - log("localRequire", deps); - assert( - deps.length === 1, - "Local require requires exactly one dependency." - ); - const [moduleSpecifier] = deps; - try { - const requiredMetaData = this.run( - moduleSpecifier, - moduleMetaData.fileName - ); - callback(requiredMetaData.exports); - } catch (e) { - errback(e); - } - }; - } - /** Given a `moduleSpecifier` and `containingFile` retrieve the cached * `fileName` for a given module. If the module has yet to be resolved * this will return `undefined`. @@ -360,6 +200,82 @@ export class DenoCompiler return undefined; } + /** Given a `moduleSpecifier` and `containingFile`, resolve the module and + * return the `ModuleMetaData`. + */ + private _resolveModule( + moduleSpecifier: ModuleSpecifier, + containingFile: ContainingFile + ): ModuleMetaData { + this._log("compiler.resolveModule", { moduleSpecifier, containingFile }); + assert(moduleSpecifier != null && moduleSpecifier.length > 0); + let fileName = this._resolveFileName(moduleSpecifier, containingFile); + if (fileName && this._moduleMetaDataMap.has(fileName)) { + return this._moduleMetaDataMap.get(fileName)!; + } + let moduleId: ModuleId | undefined; + let mediaType = MediaType.Unknown; + let sourceCode: SourceCode | undefined; + let outputCode: OutputCode | undefined; + let sourceMap: SourceMap | undefined; + if ( + moduleSpecifier.startsWith(ASSETS) || + containingFile.startsWith(ASSETS) + ) { + // Assets are compiled into the runtime javascript bundle. + // we _know_ `.pop()` will return a string, but TypeScript doesn't so + // not null assertion + moduleId = moduleSpecifier.split("/").pop()!; + const assetName = moduleId.includes(".") ? moduleId : `${moduleId}.d.ts`; + assert(assetName in assetSourceCode, `No such asset "${assetName}"`); + mediaType = MediaType.TypeScript; + sourceCode = assetSourceCode[assetName]; + fileName = `${ASSETS}/${assetName}`; + outputCode = ""; + sourceMap = ""; + } else { + // We query Rust with a CodeFetch message. It will load the sourceCode, + // and if there is any outputCode cached, will return that as well. + const fetchResponse = this._os.codeFetch(moduleSpecifier, containingFile); + moduleId = fetchResponse.moduleName; + fileName = fetchResponse.filename; + mediaType = fetchResponse.mediaType; + sourceCode = fetchResponse.sourceCode; + outputCode = fetchResponse.outputCode; + sourceMap = + fetchResponse.sourceMap && JSON.parse(fetchResponse.sourceMap); + } + assert(moduleId != null, "No module ID."); + assert(fileName != null, "No file name."); + assert(sourceCode ? sourceCode.length > 0 : false, "No source code."); + assert( + mediaType !== MediaType.Unknown, + `Unknown media type for: "${moduleSpecifier}" from "${containingFile}".` + ); + this._log( + "resolveModule sourceCode length:", + sourceCode && sourceCode.length + ); + this._log("resolveModule has outputCode:", outputCode != null); + this._log("resolveModule has source map:", sourceMap != null); + this._log("resolveModule has media type:", MediaType[mediaType]); + // fileName is asserted above, but TypeScript does not track so not null + this._setFileName(moduleSpecifier, containingFile, fileName!); + if (fileName && this._moduleMetaDataMap.has(fileName)) { + return this._moduleMetaDataMap.get(fileName)!; + } + const moduleMetaData = new ModuleMetaData( + moduleId!, + fileName!, + mediaType, + sourceCode, + outputCode, + sourceMap + ); + this._moduleMetaDataMap.set(fileName!, moduleMetaData); + return moduleMetaData; + } + /** Caches the resolved `fileName` in relationship to the `moduleSpecifier` * and `containingFile` in order to reduce calls to the privileged side * to retrieve the contents of a module. @@ -379,7 +295,7 @@ export class DenoCompiler } private constructor() { - if (DenoCompiler._instance) { + if (Compiler._instance) { throw new TypeError("Attempt to create an additional compiler."); } this._service = this._ts.createLanguageService(this); @@ -470,6 +386,17 @@ export class DenoCompiler return moduleMetaData.outputCode; } + /** Given a module specifier and a containing file, return the filename of the + * module. If the module is not resolvable, the method will throw. + */ + getFilename( + moduleSpecifier: ModuleSpecifier, + containingFile: ContainingFile + ): ModuleFileName { + const moduleMetaData = this._resolveModule(moduleSpecifier, containingFile); + return moduleMetaData.fileName; + } + /** Given a fileName, return what was generated by the compiler. */ getGeneratedContents = (fileName: string): string | RawSourceMap => { this._log("compiler.getGeneratedContents", fileName); @@ -502,125 +429,25 @@ export class DenoCompiler } }; - /** For a given module specifier and containing file, return a list of - * absolute identifiers for dependent modules that are required by this - * module. + /** Get the output code for a module based on its filename. A call to + * `.getFilename()` should occur before attempting to get the output code as + * this ensures the module is loaded. */ - getModuleDependencies( - moduleSpecifier: ModuleSpecifier, - containingFile: ContainingFile - ): ModuleFileName[] { - assert( - this._runQueue.length === 0, - "Cannot get dependencies with modules queued to be run." - ); - const moduleMetaData = this.resolveModule(moduleSpecifier, containingFile); - assert( - !moduleMetaData.hasRun, - "Cannot get dependencies for a module that has already been run." - ); - this._gatherDependencies(moduleMetaData); - const dependencies = this._runQueue.map( - moduleMetaData => moduleMetaData.moduleId - ); - // empty the run queue, to free up references to factories we have collected - // and to ensure that if there is a further invocation of `.run()` the - // factories don't get called - this._runQueue = []; - return dependencies; - } - - /** Given a `moduleSpecifier` and `containingFile`, resolve the module and - * return the `ModuleMetaData`. - */ - resolveModule( - moduleSpecifier: ModuleSpecifier, - containingFile: ContainingFile - ): ModuleMetaData { - this._log("compiler.resolveModule", { moduleSpecifier, containingFile }); - assert(moduleSpecifier != null && moduleSpecifier.length > 0); - let fileName = this._resolveFileName(moduleSpecifier, containingFile); - if (fileName && this._moduleMetaDataMap.has(fileName)) { - return this._moduleMetaDataMap.get(fileName)!; - } - let moduleId: ModuleId | undefined; - let mediaType = MediaType.Unknown; - let sourceCode: SourceCode | undefined; - let outputCode: OutputCode | undefined; - let sourceMap: SourceMap | undefined; - if ( - moduleSpecifier.startsWith(ASSETS) || - containingFile.startsWith(ASSETS) - ) { - // Assets are compiled into the runtime javascript bundle. - // we _know_ `.pop()` will return a string, but TypeScript doesn't so - // not null assertion - moduleId = moduleSpecifier.split("/").pop()!; - const assetName = moduleId.includes(".") ? moduleId : `${moduleId}.d.ts`; - assert(assetName in assetSourceCode, `No such asset "${assetName}"`); - mediaType = MediaType.TypeScript; - sourceCode = assetSourceCode[assetName]; - fileName = `${ASSETS}/${assetName}`; - outputCode = ""; - sourceMap = ""; - } else { - // We query Rust with a CodeFetch message. It will load the sourceCode, - // and if there is any outputCode cached, will return that as well. - const fetchResponse = this._os.codeFetch(moduleSpecifier, containingFile); - moduleId = fetchResponse.moduleName; - fileName = fetchResponse.filename; - mediaType = fetchResponse.mediaType; - sourceCode = fetchResponse.sourceCode; - outputCode = fetchResponse.outputCode; - sourceMap = - fetchResponse.sourceMap && JSON.parse(fetchResponse.sourceMap); - } - assert(moduleId != null, "No module ID."); - assert(fileName != null, "No file name."); - assert(sourceCode ? sourceCode.length > 0 : false, "No source code."); - assert( - mediaType !== MediaType.Unknown, - `Unknown media type for: "${moduleSpecifier}" from "${containingFile}".` - ); - this._log( - "resolveModule sourceCode length:", - sourceCode && sourceCode.length - ); - this._log("resolveModule has outputCode:", outputCode != null); - this._log("resolveModule has source map:", sourceMap != null); - this._log("resolveModule has media type:", MediaType[mediaType]); - // fileName is asserted above, but TypeScript does not track so not null - this._setFileName(moduleSpecifier, containingFile, fileName!); - if (fileName && this._moduleMetaDataMap.has(fileName)) { - return this._moduleMetaDataMap.get(fileName)!; - } - const moduleMetaData = new ModuleMetaData( - moduleId!, - fileName!, - mediaType, - sourceCode, - outputCode, - sourceMap - ); - this._moduleMetaDataMap.set(fileName!, moduleMetaData); - return moduleMetaData; + getOutput(filename: ModuleFileName): OutputCode { + const moduleMetaData = this._getModuleMetaData(filename)!; + assert(moduleMetaData != null, `Module not loaded: "${filename}"`); + this._scriptFileNames = [moduleMetaData.fileName]; + return this.compile(moduleMetaData); } - /** Load and run a module and all of its dependencies based on a module - * specifier and a containing file + /** Get the source code for a module based on its filename. A call to + * `.getFilename()` should occur before attempting to get the output code as + * this ensures the module is loaded. */ - run( - moduleSpecifier: ModuleSpecifier, - containingFile: ContainingFile - ): ModuleMetaData { - this._log("compiler.run", { moduleSpecifier, containingFile }); - const moduleMetaData = this.resolveModule(moduleSpecifier, containingFile); - this._scriptFileNames = [moduleMetaData.fileName]; - if (!moduleMetaData.deps) { - this._gatherDependencies(moduleMetaData); - } - this._drainRunQueue(); - return moduleMetaData; + getSource(filename: ModuleFileName): SourceCode { + const moduleMetaData = this._getModuleMetaData(filename)!; + assert(moduleMetaData != null, `Module not loaded: "${filename}"`); + return moduleMetaData.sourceCode; } // TypeScript Language Service and Format Diagnostic Host API @@ -684,7 +511,7 @@ export class DenoCompiler getDefaultLibFileName(): string { this._log("getDefaultLibFileName()"); const moduleSpecifier = LIB_RUNTIME; - const moduleMetaData = this.resolveModule(moduleSpecifier, ASSETS); + const moduleMetaData = this._resolveModule(moduleSpecifier, ASSETS); return moduleMetaData.fileName; } @@ -714,11 +541,11 @@ export class DenoCompiler let moduleMetaData: ModuleMetaData; if (name === "deno") { // builtin modules are part of the runtime lib - moduleMetaData = this.resolveModule(LIB_RUNTIME, ASSETS); + moduleMetaData = this._resolveModule(LIB_RUNTIME, ASSETS); } else if (name === "typescript") { - moduleMetaData = this.resolveModule("typescript.d.ts", ASSETS); + moduleMetaData = this._resolveModule("typescript.d.ts", ASSETS); } else { - moduleMetaData = this.resolveModule(name, containingFile); + moduleMetaData = this._resolveModule(name, containingFile); } // According to the interface we shouldn't return `undefined` but if we // fail to return the same length of modules to those we cannot resolve @@ -741,23 +568,10 @@ export class DenoCompiler // Deno specific static properties and methods - /** Built in modules which can be returned to external modules - * - * Placed as a private static otherwise we get use before - * declared with the `DenoCompiler` - */ - // tslint:disable-next-line:no-any - private static _builtins: { [mid: string]: any } = { - typescript: ts, - deno - }; - - private static _instance: DenoCompiler | undefined; + private static _instance: Compiler | undefined; /** Returns the instance of `DenoCompiler` or creates a new instance. */ - static instance(): DenoCompiler { - return ( - DenoCompiler._instance || (DenoCompiler._instance = new DenoCompiler()) - ); + static instance(): Compiler { + return Compiler._instance || (Compiler._instance = new Compiler()); } } |