Add breakpoints and ack-based comms to worker
This commit is contained in:
parent
c9afb3a68b
commit
29b243d6f2
@ -12,6 +12,7 @@ type ExecuteAllArgs<RS> = {
|
|||||||
|
|
||||||
class ExecutionController<RS> {
|
class ExecutionController<RS> {
|
||||||
private _engine: LanguageEngine<RS>;
|
private _engine: LanguageEngine<RS>;
|
||||||
|
private _breakpoints: number[] = [];
|
||||||
private _result: StepExecutionResult<RS> | null;
|
private _result: StepExecutionResult<RS> | null;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -42,12 +43,20 @@ class ExecutionController<RS> {
|
|||||||
this._engine.prepare(code, input);
|
this._engine.prepare(code, input);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Update debugging breakpoints
|
||||||
|
* @param points Array of line numbers having breakpoints
|
||||||
|
*/
|
||||||
|
updateBreakpoints(points: number[]) {
|
||||||
|
this._breakpoints = points;
|
||||||
|
}
|
||||||
|
|
||||||
async executeAll({ interval, onResult }: ExecuteAllArgs<RS>) {
|
async executeAll({ interval, onResult }: ExecuteAllArgs<RS>) {
|
||||||
while (true) {
|
while (true) {
|
||||||
this._result = this._engine.executeStep();
|
this._result = this._engine.executeStep();
|
||||||
onResult && onResult(this._result);
|
onResult && onResult(this._result);
|
||||||
if (!this._result.nextStepLocation) break;
|
if (!this._result.nextStepLocation) break;
|
||||||
if (interval) await this.sleep(interval);
|
await this.sleep(interval || 0);
|
||||||
}
|
}
|
||||||
return this._result;
|
return this._result;
|
||||||
}
|
}
|
||||||
|
@ -1,5 +1,6 @@
|
|||||||
import { StepExecutionResult } from "./types";
|
import { StepExecutionResult } from "./types";
|
||||||
|
|
||||||
|
/** Types of requests the worker handles */
|
||||||
export type WorkerRequestData =
|
export type WorkerRequestData =
|
||||||
| {
|
| {
|
||||||
type: "Init";
|
type: "Init";
|
||||||
@ -13,11 +14,19 @@ export type WorkerRequestData =
|
|||||||
type: "Prepare";
|
type: "Prepare";
|
||||||
params: { code: string; input: string };
|
params: { code: string; input: string };
|
||||||
}
|
}
|
||||||
|
| {
|
||||||
|
type: "UpdateBreakpoints";
|
||||||
|
params: { points: number[] };
|
||||||
|
}
|
||||||
| {
|
| {
|
||||||
type: "Execute";
|
type: "Execute";
|
||||||
params: { interval?: number };
|
params: { interval?: number };
|
||||||
};
|
};
|
||||||
|
|
||||||
|
/** Kinds of acknowledgement responses the worker can send */
|
||||||
|
export type WorkerAckType = "init" | "reset" | "bp-update" | "prepare";
|
||||||
|
|
||||||
|
/** Types of responses the worker can send */
|
||||||
export type WorkerResponseData<RS> =
|
export type WorkerResponseData<RS> =
|
||||||
| { type: "state"; data: "empty" | "ready" }
|
| { type: "ack"; data: WorkerAckType }
|
||||||
| { type: "result"; data: StepExecutionResult<RS> };
|
| { type: "result"; data: StepExecutionResult<RS> };
|
||||||
|
@ -1,16 +1,17 @@
|
|||||||
import BrainfuckLanguageEngine from "./brainfuck/engine";
|
import BrainfuckLanguageEngine from "./brainfuck/engine";
|
||||||
import ExecutionController from "./execution-controller";
|
import ExecutionController from "./execution-controller";
|
||||||
import SampleLanguageEngine from "./sample-lang/engine";
|
|
||||||
import { StepExecutionResult } from "./types";
|
import { StepExecutionResult } from "./types";
|
||||||
import { WorkerRequestData, WorkerResponseData } from "./worker-constants";
|
import {
|
||||||
|
WorkerAckType,
|
||||||
|
WorkerRequestData,
|
||||||
|
WorkerResponseData,
|
||||||
|
} from "./worker-constants";
|
||||||
|
|
||||||
let _controller: ExecutionController<any> | null = null;
|
let _controller: ExecutionController<any> | null = null;
|
||||||
|
|
||||||
/** Create a worker response for state update */
|
/** Create a worker response for update acknowledgement */
|
||||||
const stateMessage = <RS>(
|
const ackMessage = <RS>(state: WorkerAckType): WorkerResponseData<RS> => ({
|
||||||
state: "empty" | "ready"
|
type: "ack",
|
||||||
): WorkerResponseData<RS> => ({
|
|
||||||
type: "state",
|
|
||||||
data: state,
|
data: state,
|
||||||
});
|
});
|
||||||
|
|
||||||
@ -26,10 +27,9 @@ const resultMessage = <RS>(
|
|||||||
* Initialize the execution controller.
|
* Initialize the execution controller.
|
||||||
*/
|
*/
|
||||||
const initController = () => {
|
const initController = () => {
|
||||||
// const engine = new SampleLanguageEngine();
|
|
||||||
const engine = new BrainfuckLanguageEngine();
|
const engine = new BrainfuckLanguageEngine();
|
||||||
_controller = new ExecutionController(engine);
|
_controller = new ExecutionController(engine);
|
||||||
postMessage(stateMessage("empty"));
|
postMessage(ackMessage("init"));
|
||||||
};
|
};
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -38,7 +38,7 @@ const initController = () => {
|
|||||||
*/
|
*/
|
||||||
const resetController = () => {
|
const resetController = () => {
|
||||||
_controller!.resetState();
|
_controller!.resetState();
|
||||||
postMessage(stateMessage("empty"));
|
postMessage(ackMessage("reset"));
|
||||||
};
|
};
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -47,7 +47,16 @@ const resetController = () => {
|
|||||||
*/
|
*/
|
||||||
const prepare = ({ code, input }: { code: string; input: string }) => {
|
const prepare = ({ code, input }: { code: string; input: string }) => {
|
||||||
_controller!.prepare(code, input);
|
_controller!.prepare(code, input);
|
||||||
postMessage(stateMessage("ready"));
|
postMessage(ackMessage("prepare"));
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Update debugging breakpoints
|
||||||
|
* @param points List of line numbers having breakpoints
|
||||||
|
*/
|
||||||
|
const updateBreakpoints = (points: number[]) => {
|
||||||
|
_controller!.updateBreakpoints(points);
|
||||||
|
postMessage(ackMessage("bp-update"));
|
||||||
};
|
};
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -67,5 +76,7 @@ addEventListener("message", (ev: MessageEvent<WorkerRequestData>) => {
|
|||||||
if (ev.data.type === "Reset") return resetController();
|
if (ev.data.type === "Reset") return resetController();
|
||||||
if (ev.data.type === "Prepare") return prepare(ev.data.params);
|
if (ev.data.type === "Prepare") return prepare(ev.data.params);
|
||||||
if (ev.data.type === "Execute") return execute(ev.data.params.interval);
|
if (ev.data.type === "Execute") return execute(ev.data.params.interval);
|
||||||
|
if (ev.data.type === "UpdateBreakpoints")
|
||||||
|
return updateBreakpoints(ev.data.params.points);
|
||||||
throw new Error("Invalid worker message type");
|
throw new Error("Invalid worker message type");
|
||||||
});
|
});
|
||||||
|
@ -4,14 +4,12 @@ import { InputEditor, InputEditorRef } from "../ui/input-editor";
|
|||||||
import { MainLayout } from "../ui/MainLayout";
|
import { MainLayout } from "../ui/MainLayout";
|
||||||
import { useExecController } from "../ui/use-exec-controller";
|
import { useExecController } from "../ui/use-exec-controller";
|
||||||
import { DocumentRange, LanguageProvider } from "../engines/types";
|
import { DocumentRange, LanguageProvider } from "../engines/types";
|
||||||
import SampleLangProvider from "../engines/sample-lang";
|
|
||||||
import BrainfuckProvider from "../engines/brainfuck";
|
import BrainfuckProvider from "../engines/brainfuck";
|
||||||
import { OutputViewer } from "../ui/output-viewer";
|
import { OutputViewer } from "../ui/output-viewer";
|
||||||
|
|
||||||
export const Mainframe = () => {
|
export const Mainframe = () => {
|
||||||
const codeEditorRef = React.useRef<CodeEditorRef>(null);
|
const codeEditorRef = React.useRef<CodeEditorRef>(null);
|
||||||
const inputEditorRef = React.useRef<InputEditorRef>(null);
|
const inputEditorRef = React.useRef<InputEditorRef>(null);
|
||||||
// const providerRef = React.useRef<LanguageProvider<any>>(SampleLangProvider);
|
|
||||||
const providerRef = React.useRef<LanguageProvider<any>>(BrainfuckProvider);
|
const providerRef = React.useRef<LanguageProvider<any>>(BrainfuckProvider);
|
||||||
const execController = useExecController();
|
const execController = useExecController();
|
||||||
|
|
||||||
@ -66,7 +64,9 @@ export const Mainframe = () => {
|
|||||||
highlights={codeHighlights}
|
highlights={codeHighlights}
|
||||||
defaultValue={providerRef.current.sampleProgram}
|
defaultValue={providerRef.current.sampleProgram}
|
||||||
tokensProvider={providerRef.current.editorTokensProvider}
|
tokensProvider={providerRef.current.editorTokensProvider}
|
||||||
onUpdateBreakpoints={(newPoints) => console.log(newPoints)}
|
onUpdateBreakpoints={(newPoints) =>
|
||||||
|
execController.updateBreakpoints(newPoints)
|
||||||
|
}
|
||||||
/>
|
/>
|
||||||
)}
|
)}
|
||||||
renderRenderer={() => (
|
renderRenderer={() => (
|
||||||
|
@ -25,7 +25,7 @@ export const useExecController = <RS>() => {
|
|||||||
const [workerState, setWorkerState] = React.useState<WorkerState>("loading");
|
const [workerState, setWorkerState] = React.useState<WorkerState>("loading");
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Semi-typesafe wrapper to abstract request-response cycle into
|
* Type-safe wrapper to abstract request-response cycle into
|
||||||
* a simple imperative asynchronous call. Returns Promise that resolves
|
* a simple imperative asynchronous call. Returns Promise that resolves
|
||||||
* with response data.
|
* with response data.
|
||||||
*
|
*
|
||||||
@ -34,7 +34,7 @@ export const useExecController = <RS>() => {
|
|||||||
*
|
*
|
||||||
* @param request Data to send in request
|
* @param request Data to send in request
|
||||||
* @param onData Optional argument - if passed, function enters response-streaming mode.
|
* @param onData Optional argument - if passed, function enters response-streaming mode.
|
||||||
* Callback called with response data. Return `true` to keep the connection alive, `false` to end.
|
* Callback is called with response data. Return `true` to keep the connection alive, `false` to end.
|
||||||
* On end, promise resolves with last (already used) response data.
|
* On end, promise resolves with last (already used) response data.
|
||||||
*/
|
*/
|
||||||
const requestWorker = (
|
const requestWorker = (
|
||||||
@ -61,6 +61,14 @@ export const useExecController = <RS>() => {
|
|||||||
});
|
});
|
||||||
};
|
};
|
||||||
|
|
||||||
|
/** Utility to throw error on unexpected response */
|
||||||
|
const throwUnexpectedRes = (
|
||||||
|
fnName: string,
|
||||||
|
res: WorkerResponseData<RS>
|
||||||
|
): never => {
|
||||||
|
throw new Error(`Unexpected response on ${fnName}: ${res.toString()}`);
|
||||||
|
};
|
||||||
|
|
||||||
// Initialization and cleanup of web worker
|
// Initialization and cleanup of web worker
|
||||||
React.useEffect(() => {
|
React.useEffect(() => {
|
||||||
(async () => {
|
(async () => {
|
||||||
@ -68,10 +76,9 @@ export const useExecController = <RS>() => {
|
|||||||
workerRef.current = new Worker(
|
workerRef.current = new Worker(
|
||||||
new URL("../engines/worker.ts", import.meta.url)
|
new URL("../engines/worker.ts", import.meta.url)
|
||||||
);
|
);
|
||||||
const resp = await requestWorker({ type: "Init" });
|
const res = await requestWorker({ type: "Init" });
|
||||||
if (resp.type === "state" && resp.data === "empty")
|
if (res.type === "ack" && res.data === "init") setWorkerState("empty");
|
||||||
setWorkerState("empty");
|
else throwUnexpectedRes("init", res);
|
||||||
else throw new Error(`Unexpected response on init: ${resp}`);
|
|
||||||
})();
|
})();
|
||||||
|
|
||||||
return () => {
|
return () => {
|
||||||
@ -91,8 +98,25 @@ export const useExecController = <RS>() => {
|
|||||||
type: "Prepare",
|
type: "Prepare",
|
||||||
params: { code, input },
|
params: { code, input },
|
||||||
});
|
});
|
||||||
if (res.type === "state" && res.data === "ready") setWorkerState("ready");
|
if (res.type === "ack" && res.data === "prepare") setWorkerState("ready");
|
||||||
else throw new Error(`Unexpected response on loadCode: ${res.toString()}`);
|
else throwUnexpectedRes("loadCode", res);
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Update debugging breakpoints in the execution controller.
|
||||||
|
* @param points Array of line numbers having breakpoints
|
||||||
|
*/
|
||||||
|
const updateBreakpoints = React.useCallback(async (points: number[]) => {
|
||||||
|
await requestWorker(
|
||||||
|
{
|
||||||
|
type: "UpdateBreakpoints",
|
||||||
|
params: { points },
|
||||||
|
},
|
||||||
|
(res) => {
|
||||||
|
if (res.type === "ack" && res.data === "bp-update") return false;
|
||||||
|
else return true;
|
||||||
|
}
|
||||||
|
);
|
||||||
}, []);
|
}, []);
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -100,9 +124,8 @@ export const useExecController = <RS>() => {
|
|||||||
*/
|
*/
|
||||||
const resetState = React.useCallback(async () => {
|
const resetState = React.useCallback(async () => {
|
||||||
const res = await requestWorker({ type: "Reset" });
|
const res = await requestWorker({ type: "Reset" });
|
||||||
if (res.type === "state" && res.data === "empty") setWorkerState("empty");
|
if (res.type === "ack" && res.data === "reset") setWorkerState("empty");
|
||||||
else
|
else throwUnexpectedRes("resetState", res);
|
||||||
throw new Error(`Unexpected response on resetState: ${res.toString()}`);
|
|
||||||
}, []);
|
}, []);
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -117,7 +140,7 @@ export const useExecController = <RS>() => {
|
|||||||
setWorkerState("processing");
|
setWorkerState("processing");
|
||||||
// Set up a streaming-response cycle with the worker
|
// Set up a streaming-response cycle with the worker
|
||||||
await requestWorker({ type: "Execute", params: { interval } }, (res) => {
|
await requestWorker({ type: "Execute", params: { interval } }, (res) => {
|
||||||
if (res.type !== "result") return false; // TODO: Throw error here
|
if (res.type !== "result") return true;
|
||||||
onResult(res.data);
|
onResult(res.data);
|
||||||
if (res.data.nextStepLocation) return true;
|
if (res.data.nextStepLocation) return true;
|
||||||
// Clean up and terminate response stream
|
// Clean up and terminate response stream
|
||||||
@ -128,8 +151,11 @@ export const useExecController = <RS>() => {
|
|||||||
[]
|
[]
|
||||||
);
|
);
|
||||||
|
|
||||||
return React.useMemo(
|
return {
|
||||||
() => ({ state: workerState, resetState, prepare, executeAll }),
|
state: workerState,
|
||||||
[workerState, resetState, prepare, executeAll]
|
resetState,
|
||||||
);
|
prepare,
|
||||||
|
executeAll,
|
||||||
|
updateBreakpoints,
|
||||||
|
};
|
||||||
};
|
};
|
||||||
|
Loading…
x
Reference in New Issue
Block a user