diff --git a/engines/errors.ts b/engines/errors.ts deleted file mode 100644 index 714ed58..0000000 --- a/engines/errors.ts +++ /dev/null @@ -1,33 +0,0 @@ -import { DocumentRange } from "./types"; - -/** - * Special error class, to be thrown when encountering a - * syntax error while parsing a program. - */ -export class ParseError extends Error { - /** Location of syntax error in the program */ - range: DocumentRange; - - /** - * Create an instance of ParseError - * @param message Error message - * @param range Location of syntactically incorrect code - */ - constructor(message: string, range: DocumentRange) { - super(message); - this.range = range; - this.name = "ParseError"; - } -} - -/** - * Special error class, to be thrown when something happens - * that is indicative of a bug in the language implementation. - */ -export class UnexpectedError extends Error { - /** Create an instance of UnexpectedError */ - constructor() { - super("Something unexpected occured"); - this.name = "UnexpectedError"; - } -} diff --git a/engines/execution-controller.ts b/engines/execution-controller.ts index 9e3ef5c..4b21043 100644 --- a/engines/execution-controller.ts +++ b/engines/execution-controller.ts @@ -1,4 +1,9 @@ import { LanguageEngine, StepExecutionResult } from "./types"; +import { + isRuntimeError, + serializeRuntimeError, + WorkerRuntimeError, +} from "./worker-errors"; type ExecuteAllArgs = { /** Interval between two execution steps, in milliseconds */ @@ -94,30 +99,53 @@ class ExecutionController { * Run a single step of execution * @returns Result of execution */ - executeStep(): StepExecutionResult { - this._result = this._engine.executeStep(); - this._result.signal = "paused"; - return this._result; + executeStep(): { + result: StepExecutionResult; + error?: WorkerRuntimeError; + } { + try { + this._result = this._engine.executeStep(); + this._result.signal = "paused"; + return { result: this._result }; + } catch (error) { + if (isRuntimeError(error)) + return { result: this._result!, error: serializeRuntimeError(error) }; + else throw error; + } } /** - * Execute the loaded program until stopped. + * Execute the loaded program until stopped. Throws if an error other than RuntimeError is encountered. * @param param0.interval Interval between two execution steps * @param param0.onResult Callback called with result on each execution step - * @returns Promise that resolves with result of last execution step + * @returns Promise that resolves with result of last execution step and RuntimeError if any */ - executeAll({ interval, onResult }: ExecuteAllArgs) { + executeAll({ interval, onResult }: ExecuteAllArgs): Promise<{ + result: StepExecutionResult; + error?: WorkerRuntimeError; + }> { // Clear paused state this._isPaused = false; - return new Promise(async (resolve) => { + return new Promise(async (resolve, reject) => { while (true) { - const doBreak = this.runExecLoopIteration(); - onResult(this._result!); - if (doBreak) break; - await this.sleep(interval); + try { + const doBreak = this.runExecLoopIteration(); + onResult(this._result!); + if (doBreak) break; + await this.sleep(interval); + } catch (error) { + if (isRuntimeError(error)) { + this._isPaused = true; + resolve({ + result: this._result!, + error: serializeRuntimeError(error), + }); + } else reject(error); + break; + } } - resolve(this._result!); + resolve({ result: this._result! }); }); } diff --git a/engines/setup-worker.ts b/engines/setup-worker.ts index 04f2bd3..5da4455 100644 --- a/engines/setup-worker.ts +++ b/engines/setup-worker.ts @@ -1,25 +1,33 @@ import ExecutionController from "./execution-controller"; import { LanguageEngine, StepExecutionResult } from "./types"; -import { - WorkerAckType, - WorkerRequestData, - WorkerResponseData, -} from "./worker-constants"; +import * as E from "./worker-errors"; +import * as C from "./worker-constants"; -/** Create a worker response for update acknowledgement */ -const ackMessage = (state: WorkerAckType): WorkerResponseData => ({ +/** Create a worker response for acknowledgement */ +const ackMessage = ( + ackType: A, + error?: C.WorkerAckError[A] +): C.WorkerResponseData => ({ type: "ack", - data: state, + data: ackType, + error, }); /** Create a worker response for execution result */ -const resultMessage = ( - result: StepExecutionResult -): WorkerResponseData => ({ +const resultMessage = ( + result: StepExecutionResult, + error?: E.WorkerRuntimeError +): C.WorkerResponseData => ({ type: "result", data: result, + error, }); +/** Create a worker response for unexpected errors */ +const errorMessage = ( + error: Error +): C.WorkerResponseData => ({ type: "error", error }); + /** Initialize the execution controller */ const initController = () => { postMessage(ackMessage("init")); @@ -42,8 +50,14 @@ const prepare = ( controller: ExecutionController, { code, input }: { code: string; input: string } ) => { - controller.prepare(code, input); - postMessage(ackMessage("prepare")); + try { + controller.prepare(code, input); + postMessage(ackMessage("prepare")); + } catch (error) { + if (E.isParseError(error)) + postMessage(ackMessage("prepare", E.serializeParseError(error))); + else throw error; + } }; /** @@ -62,11 +76,15 @@ const updateBreakpoints = ( * Execute the entire program loaded on engine, * and return result of execution. */ -const execute = (controller: ExecutionController, interval: number) => { - controller.executeAll({ +const execute = async ( + controller: ExecutionController, + interval: number +) => { + const { result, error } = await controller.executeAll({ interval, onResult: (res) => postMessage(resultMessage(res)), }); + if (error) postMessage(resultMessage(result, error)); }; /** Trigger pause in program execution */ @@ -77,8 +95,8 @@ const pauseExecution = async (controller: ExecutionController) => { /** Run a single execution step */ const executeStep = (controller: ExecutionController) => { - const result = controller.executeStep(); - postMessage(resultMessage(result)); + const { result, error } = controller.executeStep(); + postMessage(resultMessage(result, error)); }; /** @@ -88,16 +106,23 @@ const executeStep = (controller: ExecutionController) => { export const setupWorker = (engine: LanguageEngine) => { const controller = new ExecutionController(engine); - addEventListener("message", async (ev: MessageEvent) => { - if (ev.data.type === "Init") return initController(); - if (ev.data.type === "Reset") return resetController(controller); - if (ev.data.type === "Prepare") return prepare(controller, ev.data.params); - if (ev.data.type === "Execute") - return execute(controller, ev.data.params.interval); - if (ev.data.type === "Pause") return await pauseExecution(controller); - if (ev.data.type === "ExecuteStep") return executeStep(controller); - if (ev.data.type === "UpdateBreakpoints") - return updateBreakpoints(controller, ev.data.params.points); + addEventListener("message", async (ev: MessageEvent) => { + try { + if (ev.data.type === "Init") return initController(); + if (ev.data.type === "Reset") return resetController(controller); + if (ev.data.type === "Prepare") + return prepare(controller, ev.data.params); + if (ev.data.type === "Execute") + return execute(controller, ev.data.params.interval); + if (ev.data.type === "Pause") return await pauseExecution(controller); + if (ev.data.type === "ExecuteStep") return executeStep(controller); + if (ev.data.type === "UpdateBreakpoints") + return updateBreakpoints(controller, ev.data.params.points); + } catch (error) { + // Error here indicates an implementation bug + console.error(error); + postMessage(errorMessage(error as Error)); + } throw new Error("Invalid worker message type"); }); }; diff --git a/engines/worker-constants.ts b/engines/worker-constants.ts index 8fe325c..81759e6 100644 --- a/engines/worker-constants.ts +++ b/engines/worker-constants.ts @@ -1,4 +1,5 @@ -import { StepExecutionResult } from "./types"; +import { DocumentRange, StepExecutionResult } from "./types"; +import * as E from "./worker-errors"; /** Types of requests the worker handles */ export type WorkerRequestData = @@ -39,7 +40,28 @@ export type WorkerAckType = | "prepare" // on preparing for execution | "pause"; // on pausing execution +/** Errors associated with each response ack type */ +export type WorkerAckError = { + init: undefined; + reset: undefined; + "bp-update": undefined; + prepare: E.WorkerParseError; + pause: undefined; +}; + /** Types of responses the worker can send */ -export type WorkerResponseData = - | { type: "ack"; data: WorkerAckType } - | { type: "result"; data: StepExecutionResult }; +export type WorkerResponseData = + /** Ack for one-off requests, optionally containing error occured (if any) */ + | { + type: "ack"; + data: A; + error?: WorkerAckError[A]; + } + /** Response containing step execution result, and runtime error (if any) */ + | { + type: "result"; + data: StepExecutionResult; + error?: E.WorkerRuntimeError; + } + /** Response indicating a bug in worker/engine logic */ + | { type: "error"; error: Error }; diff --git a/engines/worker-errors.ts b/engines/worker-errors.ts new file mode 100644 index 0000000..d1f18ea --- /dev/null +++ b/engines/worker-errors.ts @@ -0,0 +1,71 @@ +import { DocumentRange } from "./types"; + +/** + * Special error class, to be thrown when encountering a + * syntax error while parsing a program. + */ +export class ParseError extends Error { + /** Location of syntax error in the program */ + range: DocumentRange; + + /** + * Create an instance of ParseError + * @param message Error message + * @param range Location of syntactically incorrect code + */ + constructor(message: string, range: DocumentRange) { + super(message); + this.name = "ParseError"; + this.range = range; + } +} + +/** + * Special error class, to be thrown when encountering an error + * at runtime that is indicative of a bug in the user's program. + */ +export class RuntimeError extends Error { + /** + * Create an instance of RuntimeError + * @param message Error message + */ + constructor(message: string) { + super(message); + this.name = "RuntimeError"; + } +} + +/** Check if an error object is instance of a ParseError */ +export const isParseError = (error: any): error is ParseError => { + return error instanceof ParseError || error.name === "ParseError"; +}; + +/** Check if an error object is instance of a RuntimeError */ +export const isRuntimeError = (error: any): error is RuntimeError => { + return error instanceof RuntimeError || error.name === "RuntimeError"; +}; + +/** Error sent by worker in case of parsing error */ +export type WorkerParseError = { + name: "ParseError"; + message: string; + range: DocumentRange; +}; + +/** Error sent by worker in case error at runtime */ +export type WorkerRuntimeError = { + name: "RuntimeError"; + message: string; +}; + +/** Serialize a RuntimeError instance into a plain object */ +export const serializeRuntimeError = ( + error: RuntimeError +): WorkerRuntimeError => { + return { name: "RuntimeError", message: error.message }; +}; + +/** Serialize a ParseError instance into a plain object */ +export const serializeParseError = (error: ParseError): WorkerParseError => { + return { name: "ParseError", message: error.message, range: error.range }; +}; diff --git a/ui/Mainframe.tsx b/ui/Mainframe.tsx index c1e7e72..a540786 100644 --- a/ui/Mainframe.tsx +++ b/ui/Mainframe.tsx @@ -7,6 +7,7 @@ import { LanguageProvider, StepExecutionResult } from "../engines/types"; import { OutputViewer, OutputViewerRef } from "../ui/output-viewer"; import { ExecutionControls } from "./execution-controls"; import { RendererRef, RendererWrapper } from "./renderer-wrapper"; +import { WorkerRuntimeError } from "../engines/worker-errors"; type Props = { langName: string; @@ -36,10 +37,14 @@ export const Mainframe = ({ langName, provider }: Props) => { const [execInterval, setExecInterval] = React.useState(20); /** Utility that updates UI with the provided execution result */ - const updateWithResult = (result: StepExecutionResult) => { + const updateWithResult = ( + result: StepExecutionResult, + error?: WorkerRuntimeError + ) => { rendererRef.current!.updateState(result.rendererState); codeEditorRef.current!.updateHighlights(result.nextStepLocation); outputEditorRef.current!.append(result.output); + if (error) outputEditorRef.current!.setError(error); }; /** Reset and begin a new execution */ @@ -54,13 +59,14 @@ export const Mainframe = ({ langName, provider }: Props) => { // Reset any existing execution state outputEditorRef.current!.reset(); await execController.resetState(); - await execController.prepare( + const error = await execController.prepare( codeEditorRef.current!.getValue(), inputEditorRef.current!.getValue() ); - // Begin execution - await execController.execute(updateWithResult, execInterval); + // Check for ParseError, else begin execution + if (error) outputEditorRef.current!.setError(error); + else await execController.execute(updateWithResult, execInterval); }; /** Pause the ongoing execution */ @@ -82,8 +88,8 @@ export const Mainframe = ({ langName, provider }: Props) => { } // Run and update execution states - const result = await execController.executeStep(); - updateWithResult(result); + const response = await execController.executeStep(); + updateWithResult(response.result, response.error); }; /** Resume the currently paused execution */ @@ -101,7 +107,7 @@ export const Mainframe = ({ langName, provider }: Props) => { /** Stop the currently active execution */ const stopExecution = async () => { // Check if controller has execution - if (!["paused", "processing"].includes(execController.state)) { + if (!["paused", "processing", "error"].includes(execController.state)) { console.error("No active execution in controller"); return; } @@ -112,7 +118,6 @@ export const Mainframe = ({ langName, provider }: Props) => { // Reset all execution states await execController.resetState(); - outputEditorRef.current!.reset(); rendererRef.current!.updateState(null); codeEditorRef.current!.updateHighlights(null); }; @@ -122,6 +127,7 @@ export const Mainframe = ({ langName, provider }: Props) => { const currState = execController.state; if (currState === "processing") return "running"; else if (currState === "paused") return "paused"; + else if (currState === "error") return "error"; else return "off"; }; diff --git a/ui/execution-controls.tsx b/ui/execution-controls.tsx index ac2fa77..18f5430 100644 --- a/ui/execution-controls.tsx +++ b/ui/execution-controls.tsx @@ -25,6 +25,9 @@ const styles = { }, }; +/** Possible states of the debug controls component */ +type DebugControlsState = "off" | "running" | "paused" | "error"; + /** Input field for changing execution interval */ const IntervalInput = (props: { disabled: boolean; @@ -62,25 +65,30 @@ const RunButton = ({ onClick }: { onClick: () => void }) => ( /** Button group for debugging controls */ const DebugControls = (props: { - paused: boolean; + state: DebugControlsState; onPause: () => void; onResume: () => void; onStep: () => void; onStop: () => void; }) => { + const paused = props.state === "paused" || props.state === "error"; + const pauseDisabled = props.state === "error"; + const stepDisabled = ["off", "running", "error"].includes(props.state); + return (