phantasmal-world/src/undo.ts

91 lines
2.1 KiB
TypeScript
Raw Normal View History

import { computed, observable, IObservableArray, action } from "mobx";
2019-07-18 21:39:23 +08:00
export class Action {
constructor(
readonly description: string,
readonly undo: () => void,
readonly redo: () => void
) {}
}
export class UndoStack {
@observable static current?: UndoStack;
@observable private readonly stack: IObservableArray<Action> = observable.array([], {
deep: false,
});
2019-07-18 21:39:23 +08:00
/**
* The index where new actions are inserted.
*/
@observable private index = 0;
make_current(): void {
UndoStack.current = this;
}
ensure_not_current(): void {
if (UndoStack.current === this) {
UndoStack.current = undefined;
}
}
2019-07-18 21:39:23 +08:00
@computed get can_undo(): boolean {
return this.index > 0;
}
@computed get can_redo(): boolean {
return this.index < this.stack.length;
}
/**
* The first action that will be undone when calling undo().
*/
@computed get first_undo(): Action | undefined {
2019-07-21 16:44:33 +08:00
return this.can_undo ? this.stack[this.index - 1] : undefined;
2019-07-18 21:39:23 +08:00
}
/**
* The first action that will be redone when calling redo().
*/
@computed get first_redo(): Action | undefined {
2019-07-21 16:44:33 +08:00
return this.can_redo ? this.stack[this.index] : undefined;
2019-07-18 21:39:23 +08:00
}
@action
2019-07-18 21:39:23 +08:00
push_action(description: string, undo: () => void, redo: () => void): void {
this.push(new Action(description, undo, redo));
}
@action
2019-07-18 21:39:23 +08:00
push(action: Action): void {
this.stack.splice(this.index, this.stack.length - this.index, action);
this.index++;
}
@action
2019-07-18 21:39:23 +08:00
undo(): boolean {
if (this.can_undo) {
this.stack[--this.index].undo();
return true;
} else {
return false;
}
}
@action
2019-07-18 21:39:23 +08:00
redo(): boolean {
if (this.can_redo) {
this.stack[this.index++].redo();
return true;
} else {
return false;
}
}
@action
2019-07-18 21:39:23 +08:00
clear(): void {
this.stack.clear();
2019-07-18 21:39:23 +08:00
this.index = 0;
}
}