Added complete assembler error checking to the editor. Improved editor autocompletion. Script asm modifications are now persisted when saving.

This commit is contained in:
Daan Vanden Bosch 2019-07-22 22:51:44 +02:00
parent 1408b2ffdc
commit a9f46ae4f3
4 changed files with 320 additions and 98 deletions

View File

@ -1,5 +1,3 @@
import { string } from "prop-types";
/** /**
* Instruction parameter types. * Instruction parameter types.
*/ */

View File

@ -149,7 +149,7 @@ export interface EntityType {
/** /**
* Abstract class from which QuestNpc and QuestObject derive. * Abstract class from which QuestNpc and QuestObject derive.
*/ */
export class QuestEntity<Type extends EntityType = EntityType> { export abstract class QuestEntity<Type extends EntityType = EntityType> {
readonly type: Type; readonly type: Type;
@observable area_id: number; @observable area_id: number;
@ -216,8 +216,6 @@ export class QuestEntity<Type extends EntityType = EntityType> {
rotation: Vec3, rotation: Vec3,
scale: Vec3 scale: Vec3
) { ) {
if (Object.getPrototypeOf(this) === Object.getPrototypeOf(QuestEntity))
throw new Error("Abstract class should not be instantiated directly.");
if (!type) throw new Error("type is required."); if (!type) throw new Error("type is required.");
if (!Number.isInteger(area_id) || area_id < 0) if (!Number.isInteger(area_id) || area_id < 0)
throw new Error(`Expected area_id to be a non-negative integer, got ${area_id}.`); throw new Error(`Expected area_id to be a non-negative integer, got ${area_id}.`);

View File

@ -7,11 +7,11 @@ import {
Param, Param,
} from "../data_formats/parsing/quest/bin"; } from "../data_formats/parsing/quest/bin";
type DisassemblyError = { type AssemblyError = {
line: number; line: number;
col: number; col: number;
length: number; length: number;
description: string; message: string;
}; };
export function assemble( export function assemble(
@ -20,9 +20,9 @@ export function assemble(
): { ): {
instructions: Instruction[]; instructions: Instruction[];
labels: Map<number, number>; labels: Map<number, number>;
errors: DisassemblyError[]; errors: AssemblyError[];
} { } {
const errors: DisassemblyError[] = []; const errors: AssemblyError[] = [];
const instructions: Instruction[] = []; const instructions: Instruction[] = [];
const labels = new Map<number, number>(); const labels = new Map<number, number>();
@ -30,7 +30,7 @@ export function assemble(
for (const line_text of assembly.split("\n")) { for (const line_text of assembly.split("\n")) {
const match = line_text.match( const match = line_text.match(
/^(?<lbl_ws>\s*)(?<lbl>[^\s]+?:)?(?<op_ws>\s*)(?<op>[a-z][a-z_=<>!]*)?(?<args>.*)$/ /^(?<lbl_ws>\s*)(?<lbl>[^\s]+?:)?(?<op_ws>\s*)(?<op>[a-z][a-z0-9_=<>!]*)?(?<args>.*)$/
); );
if (!match || !match.groups || (match.groups.lbl == null && match.groups.op == null)) { if (!match || !match.groups || (match.groups.lbl == null && match.groups.op == null)) {
@ -40,9 +40,9 @@ export function assemble(
if (trimmed.length) { if (trimmed.length) {
errors.push({ errors.push({
line, line,
col: line_text.length - left_trimmed.length, col: 1 + line_text.length - left_trimmed.length,
length: trimmed.length, length: trimmed.length,
description: "Expected label or instruction.", message: "Expected label or instruction.",
}); });
} }
} else { } else {
@ -51,19 +51,19 @@ export function assemble(
if (lbl != null) { if (lbl != null) {
const label = parseInt(lbl.slice(0, -1), 10); const label = parseInt(lbl.slice(0, -1), 10);
if (!isFinite(label)) { if (!isFinite(label) || !/^\d+:$/.test(lbl)) {
errors.push({ errors.push({
line, line,
col: lbl_ws.length, col: 1 + lbl_ws.length,
length: lbl.length, length: lbl.length,
description: "Invalid label name.", message: "Invalid label name.",
}); });
} else if (labels.has(label)) { } else if (labels.has(label)) {
errors.push({ errors.push({
line, line,
col: lbl_ws.length, col: 1 + lbl_ws.length,
length: lbl.length - 1, length: lbl.length - 1,
description: "Duplicate label.", message: "Duplicate label.",
}); });
} else { } else {
labels.set(label, instructions.length); labels.set(label, instructions.length);
@ -76,12 +76,13 @@ export function assemble(
if (!opcode) { if (!opcode) {
errors.push({ errors.push({
line, line,
col: lbl_ws.length + (lbl ? lbl.length : 0) + op_ws.length, col: 1 + lbl_ws.length + (lbl ? lbl.length : 0) + op_ws.length,
length: op.length, length: op.length,
description: "Unknown instruction.", message: "Unknown instruction.",
}); });
} else { } else {
const args_col = const args_col =
1 +
lbl_ws.length + lbl_ws.length +
(lbl ? lbl.length : 0) + (lbl ? lbl.length : 0) +
op_ws.length + op_ws.length +
@ -96,38 +97,52 @@ export function assemble(
const left_trimmed = args.trimLeft(); const left_trimmed = args.trimLeft();
const trimmed = args.trimRight(); const trimmed = args.trimRight();
if (trimmed.trim().length) {
errors.push({ errors.push({
line, line,
col: args_col + args.length - left_trimmed.length, col: args_col + args.length - left_trimmed.length,
length: trimmed.length, length: trimmed.length,
description: "Instruction arguments expected.", message: "Instruction arguments expected.",
}); });
}
} else { } else {
const varargs =
opcode.params.findIndex(
p => p.type === Type.U8Var || p.type === Type.U16Var
) !== -1;
const param_count = const param_count =
opcode.params.length + (manual_stack ? 0 : opcode.stack_params.length); opcode.params.length + (manual_stack ? 0 : opcode.stack_params.length);
if (arg_tokens.length !== param_count) { if (
varargs
? arg_tokens.length < param_count
: arg_tokens.length !== param_count
) {
const left_trimmed = line_text.trimLeft(); const left_trimmed = line_text.trimLeft();
const trimmed = left_trimmed.trimRight();
errors.push({ errors.push({
line, line,
col: line_text.length - left_trimmed.length, col: 1 + line_text.length - left_trimmed.length,
length: trimmed.length, length: left_trimmed.length,
description: `Expected ${param_count} arguments, got ${arg_tokens.length}.`, message: `Expected${
varargs ? " at least" : ""
} ${param_count} argument${param_count === 1 ? "" : "s"}, got ${
arg_tokens.length
}.`,
}); });
} else if (arg_tokens.length === opcode.params.length) { } else if (varargs || arg_tokens.length === opcode.params.length) {
parse_args(opcode.params, arg_tokens, ins_args); parse_args(opcode.params, arg_tokens, ins_args, line, errors);
} else { } else {
const stack_args: Arg[] = []; const stack_args: Arg[] = [];
parse_args(opcode.stack_params, arg_tokens, stack_args); parse_args(opcode.stack_params, arg_tokens, stack_args, line, errors);
// TODO: proper error checking.
// TODO: UVars.
for (let i = 0; i < opcode.stack_params.length; i++) { for (let i = 0; i < opcode.stack_params.length; i++) {
const param = opcode.stack_params[i]; const param = opcode.stack_params[i];
const arg = stack_args[i]; const arg = stack_args[i];
const col = arg_tokens[i].col;
const length = arg_tokens[i].arg.length;
if (arg == null) {
continue;
}
switch (param.type) { switch (param.type) {
case Type.U8: case Type.U8:
@ -146,9 +161,12 @@ export function assemble(
instructions.push(new Instruction(Opcode.arg_pushs, [arg])); instructions.push(new Instruction(Opcode.arg_pushs, [arg]));
break; break;
default: default:
throw new Error( errors.push({
`Type ${Type[param.type]} not implemented yet.` line,
); col,
length,
message: `Type ${Type[param.type]} not implemented.`,
});
} }
} }
} }
@ -175,7 +193,7 @@ type ArgToken = {
}; };
function tokenize_args(arg_str: string, col: number, args: ArgToken[]): boolean { function tokenize_args(arg_str: string, col: number, args: ArgToken[]): boolean {
if (arg_str.length === 0) { if (arg_str.trim().length === 0) {
return true; return true;
} }
@ -200,51 +218,224 @@ function tokenize_args(arg_str: string, col: number, args: ArgToken[]): boolean
} }
} }
// TODO: proper error checking. function parse_args(
// TODO: UVars. params: Param[],
function parse_args(params: Param[], arg_tokens: ArgToken[], args: Arg[]): void { arg_tokens: ArgToken[],
args: Arg[],
line: number,
errors: AssemblyError[]
): void {
for (let i = 0; i < params.length; i++) { for (let i = 0; i < params.length; i++) {
const param = params[i]; const param = params[i];
const arg_str = arg_tokens[i].arg; const arg_token = arg_tokens[i];
const arg_str = arg_token.arg;
const col = arg_token.col;
const length = arg_str.length;
switch (param.type) { switch (param.type) {
case Type.U8: case Type.U8:
args.push({ parse_uint(arg_str, 1, args, line, col, errors);
value: parseInt(arg_str, 10),
size: 1,
});
break; break;
case Type.U16: case Type.U16:
args.push({ parse_uint(arg_str, 2, args, line, col, errors);
value: parseInt(arg_str, 10),
size: 2,
});
break; break;
case Type.U32: case Type.U32:
parse_uint(arg_str, 4, args, line, col, errors);
break;
case Type.I32: case Type.I32:
parse_sint(arg_str, 4, args, line, col, errors);
break;
case Type.F32: case Type.F32:
args.push({ parse_float(arg_str, args, line, col, errors);
value: parseInt(arg_str, 10),
size: 4,
});
break; break;
case Type.Register: case Type.Register:
args.push({ parse_register(arg_str, args, line, col, errors);
value: parseInt(arg_str.slice(1), 10),
size: 1,
});
break; break;
case Type.String: case Type.String:
{ parse_string(arg_str, args, line, col, errors);
const value: string = JSON.parse(arg_str); break;
case Type.U8Var:
parse_uint_varargs(arg_tokens, i, 1, args, line, errors);
return;
case Type.U16Var:
parse_uint_varargs(arg_tokens, i, 2, args, line, errors);
return;
default:
errors.push({
line,
col,
length,
message: `Type ${Type[param.type]} not implemented.`,
});
}
}
}
function parse_uint(
arg_str: string,
size: number,
args: Arg[],
line: number,
col: number,
errors: AssemblyError[]
): void {
const bit_size = 8 * size;
const value = parseInt(arg_str, 10);
const max_value = Math.pow(2, bit_size) - 1;
if (!/^\d+$/.test(arg_str)) {
errors.push({
line,
col,
length: arg_str.length,
message: `Expected unsigned integer.`,
});
} else if (value > max_value) {
errors.push({
line,
col,
length: arg_str.length,
message: `${bit_size}-Bit unsigned integer can't be greater than ${max_value}.`,
});
} else {
args.push({
value,
size,
});
}
}
function parse_sint(
arg_str: string,
size: number,
args: Arg[],
line: number,
col: number,
errors: AssemblyError[]
): void {
const bit_size = 8 * size;
const value = parseInt(arg_str, 10);
const min_value = -Math.pow(2, bit_size - 1);
const max_value = Math.pow(2, bit_size - 1) - 1;
if (!/^-?\d+$/.test(arg_str)) {
errors.push({
line,
col,
length: arg_str.length,
message: `Expected signed integer.`,
});
} else if (value < min_value) {
errors.push({
line,
col,
length: arg_str.length,
message: `${bit_size}-Bit signed integer can't be less than ${min_value}.`,
});
} else if (value > max_value) {
errors.push({
line,
col,
length: arg_str.length,
message: `${bit_size}-Bit signed integer can't be greater than ${max_value}.`,
});
} else {
args.push({
value,
size,
});
}
}
function parse_float(
arg_str: string,
args: Arg[],
line: number,
col: number,
errors: AssemblyError[]
): void {
const value = parseFloat(arg_str);
if (!Number.isFinite(value)) {
errors.push({
line,
col,
length: arg_str.length,
message: `Expected floating point number.`,
});
} else {
args.push({
value,
size: 4,
});
}
}
function parse_register(
arg_str: string,
args: Arg[],
line: number,
col: number,
errors: AssemblyError[]
): void {
const value = parseInt(arg_str.slice(1), 10);
if (!/^r\d+$/.test(arg_str)) {
errors.push({
line,
col,
length: arg_str.length,
message: `Expected register reference.`,
});
} else if (value > 255) {
errors.push({
line,
col,
length: arg_str.length,
message: `Invalid register reference, expected r0-r255.`,
});
} else {
args.push({
value,
size: 1,
});
}
}
function parse_string(
arg_str: string,
args: Arg[],
line: number,
col: number,
errors: AssemblyError[]
): void {
if (!/^"([^"\\]|\\.)*"$/.test(arg_str)) {
errors.push({
line,
col,
length: arg_str.length,
message: `Expected string.`,
});
} else {
const value = JSON.parse(arg_str);
args.push({ args.push({
value, value,
size: 2 + 2 * value.length, size: 2 + 2 * value.length,
}); });
} }
break; }
default:
throw new Error(`Type ${Type[param.type]} not implemented yet.`); function parse_uint_varargs(
} arg_tokens: ArgToken[],
index: number,
size: number,
args: Arg[],
line: number,
errors: AssemblyError[]
): void {
for (; index < arg_tokens.length; index++) {
const arg_token = arg_tokens[index];
const col = arg_token.col;
parse_uint(arg_token.arg, size, args, line, col, errors);
} }
} }

View File

@ -1,11 +1,12 @@
import { editor, languages } from "monaco-editor"; import { autorun } from "mobx";
import { editor, languages, MarkerSeverity } from "monaco-editor";
import React, { Component, createRef, ReactNode } from "react"; import React, { Component, createRef, ReactNode } from "react";
import { AutoSizer } from "react-virtualized"; import { AutoSizer } from "react-virtualized";
import { OPCODES } from "../../data_formats/parsing/quest/bin"; import { OPCODES } from "../../data_formats/parsing/quest/bin";
import { assemble } from "../../scripting/assembly";
import { disassemble } from "../../scripting/disassembly";
import { quest_editor_store } from "../../stores/QuestEditorStore"; import { quest_editor_store } from "../../stores/QuestEditorStore";
import "./ScriptEditorComponent.less"; import "./ScriptEditorComponent.less";
import { disassemble } from "../../scripting/disassembly";
import { IReactionDisposer, autorun } from "mobx";
const ASM_SYNTAX: languages.IMonarchLanguage = { const ASM_SYNTAX: languages.IMonarchLanguage = {
defaultToken: "invalid", defaultToken: "invalid",
@ -73,18 +74,20 @@ languages.registerCompletionItemProvider("psoasm", {
startColumn: 1, startColumn: 1,
endColumn: position.column + 1, endColumn: position.column + 1,
}); });
const suggest = /^\s*([a-z][\w=<>!]*)?$/.test(value); const suggestions = /^\s*([a-z][a-z0-9_=<>!]*)?$/.test(value)
? INSTRUCTION_SUGGESTIONS
: [];
return { return {
suggestions: suggest ? INSTRUCTION_SUGGESTIONS : [], suggestions,
incomplete: false, incomplete: false,
}; };
}, },
}); });
languages.setLanguageConfiguration("psoasm", { languages.setLanguageConfiguration("psoasm", {
indentationRules: { indentationRules: {
increaseIndentPattern: /\d+:/, increaseIndentPattern: /^\s*\d+:/,
decreaseIndentPattern: /\d+/, decreaseIndentPattern: /^\s*\d+/,
}, },
autoClosingPairs: [{ open: '"', close: '"' }], autoClosingPairs: [{ open: '"', close: '"' }],
surroundingPairs: [{ open: '"', close: '"' }], surroundingPairs: [{ open: '"', close: '"' }],
@ -130,7 +133,7 @@ type MonacoProps = {
class MonacoComponent extends Component<MonacoProps> { class MonacoComponent extends Component<MonacoProps> {
private div_ref = createRef<HTMLDivElement>(); private div_ref = createRef<HTMLDivElement>();
private editor?: editor.IStandaloneCodeEditor; private editor?: editor.IStandaloneCodeEditor;
private disposer?: IReactionDisposer; private disposers: (() => void)[] = [];
render(): ReactNode { render(): ReactNode {
return <div ref={this.div_ref} />; return <div ref={this.div_ref} />;
@ -142,36 +145,41 @@ class MonacoComponent extends Component<MonacoProps> {
theme: "phantasmal-world", theme: "phantasmal-world",
scrollBeyondLastLine: false, scrollBeyondLastLine: false,
autoIndent: true, autoIndent: true,
fontSize: 14,
wordBasedSuggestions: false,
}); });
this.disposer = autorun(() => { this.disposers.push(
() => {
if (this.editor) {
this.editor.dispose();
const model = this.editor.getModel();
if (model) model.dispose();
this.editor = undefined;
}
},
autorun(() => {
const quest = quest_editor_store.current_quest; const quest = quest_editor_store.current_quest;
const model = const model =
quest && quest &&
editor.createModel( editor.createModel(disassemble(quest.instructions, quest.labels), "psoasm");
disassemble(quest.instructions, quest.labels, true),
"psoasm"
);
if (model && this.editor) { if (model && this.editor) {
// model.onDidChangeContent(e => { const disposable = model.onDidChangeContent(this.validate);
// }); this.disposers.push(() => disposable.dispose());
this.editor.setModel(model); this.editor.setModel(model);
this.validate();
} }
}); })
);
} }
} }
componentWillUnmount(): void { componentWillUnmount(): void {
if (this.editor) { for (const disposer of this.disposers.splice(0, this.disposers.length)) {
const model = this.editor.getModel(); disposer();
if (model) model.dispose();
this.editor.dispose();
} }
if (this.disposer) this.disposer();
} }
shouldComponentUpdate(): boolean { shouldComponentUpdate(): boolean {
@ -186,4 +194,31 @@ class MonacoComponent extends Component<MonacoProps> {
this.editor.layout(props); this.editor.layout(props);
} }
} }
private validate = () => {
if (!this.editor) return;
const model = this.editor.getModel();
if (!model) return;
const { instructions, labels, errors } = assemble(model.getValue());
if (quest_editor_store.current_quest) {
quest_editor_store.current_quest.instructions = instructions;
quest_editor_store.current_quest.labels = labels;
}
editor.setModelMarkers(
model,
"psoasm",
errors.map(error => ({
severity: MarkerSeverity.Error,
message: error.message,
startLineNumber: error.line,
endLineNumber: error.line,
startColumn: error.col,
endColumn: error.col + error.length,
}))
);
};
} }