import { LanguageEngine, StepExecutionResult } from "./types"; type ExecuteAllArgs = { /** Interval between two execution steps, in milliseconds */ interval?: number; /** * Pass to run in streaming-response mode. * Callback is called with exeuction result on every execution step. */ onResult?: (result: StepExecutionResult) => void; }; class ExecutionController { private _engine: LanguageEngine; private _result: StepExecutionResult | null; /** * Create a new ExecutionController. * @param engine Language engine to use for execution */ constructor(engine: LanguageEngine) { this._engine = engine; this._engine.resetState(); this._result = null; } /** * Reset execution state in controller and engine. * Clears out state from the current execution cycle. */ resetState() { this._engine.resetState(); this._result = null; } /** * Load code and user input into the engine to prepare for execution. * @param code Code content, lines separated by `\n` * @param input User input, lines separated by '\n' */ prepare(code: string, input: string) { this._engine.prepare(code, input); } async executeAll({ interval, onResult }: ExecuteAllArgs) { while (true) { this._result = this._engine.executeStep(); onResult && onResult(this._result); if (!this._result.nextStepLocation) break; if (interval) await this.sleep(interval); } return this._result; } private async sleep(millis: number) { return new Promise((resolve) => setTimeout(resolve, millis)); } } export default ExecutionController;