sprotty
Version:
A next-gen framework for graphical views
467 lines (428 loc) • 18.1 kB
text/typescript
/********************************************************************************
* Copyright (c) 2017-2018 TypeFox and others.
*
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v. 2.0 which is available at
* http://www.eclipse.org/legal/epl-2.0.
*
* This Source Code may also be made available under the following Secondary
* Licenses when the conditions for such availability set forth in the Eclipse
* Public License v. 2.0 are satisfied: GNU General Public License, version 2
* with the GNU Classpath Exception which is available at
* https://www.gnu.org/software/classpath/license.html.
*
* SPDX-License-Identifier: EPL-2.0 OR GPL-2.0 WITH Classpath-exception-2.0
********************************************************************************/
import { inject, injectable, postConstruct } from "inversify";
import { Action } from "sprotty-protocol/lib/actions";
import { TYPES } from "../types";
import { ILogger } from "../../utils/logging";
import { EMPTY_ROOT, IModelFactory } from "../model/smodel-factory";
import { SModelRootImpl } from "../model/smodel";
import { AnimationFrameSyncer } from "../animations/animation-frame-syncer";
import { IViewer, IViewerProvider } from "../views/viewer";
import { CommandStackOptions } from './command-stack-options';
import {
HiddenCommand, ICommand, CommandExecutionContext, CommandReturn, SystemCommand,
MergeableCommand, PopupCommand, ResetCommand, CommandResult, isStoppableCommand, IStoppableCommand
} from './command';
/**
* The component that holds the current model and applies the commands
* to change it.
*
* The command stack is called by the ActionDispatcher and forwards the
* changed model to the Viewer that renders it.
*/
export interface ICommandStack {
/**
* Executes the given command on the current model and returns a
* Promise for the new result.
*
* Unless it is a special command, it is pushed to the undo stack
* such that it can be rolled back later and the redo stack is
* cleared.
*/
execute(command: ICommand): Promise<SModelRootImpl>
/**
* Executes all of the given commands. As opposed to calling
* execute() multiple times, the Viewer is only updated once after
* the last command has been executed.
*/
executeAll(commands: ICommand[]): Promise<SModelRootImpl>
/**
* Takes the topmost command from the undo stack, undoes its
* changes and pushes it ot the redo stack. Returns a Promise for
* the changed model.
*/
undo(): Promise<SModelRootImpl>
/**
* Takes the topmost command from the redo stack, redoes its
* changes and pushes it ot the undo stack. Returns a Promise for
* the changed model.
*/
redo(): Promise<SModelRootImpl>
}
/**
* As part of the event cylce, the ICommandStack should be injected
* using a provider to avoid cyclic injection dependencies.
*/
export type CommandStackProvider = () => Promise<ICommandStack>;
/**
* The implementation of the ICommandStack. Clients should not use this
* class directly.
*
* The command stack holds the current model as the result of the current
* promise. When a new command is executed/undone/redone, its execution is
* chained using <code>Promise#then()</code> to the current Promise. This
* way we can handle long running commands without blocking the current
* thread.
*
* The command stack also does the special handling for special commands:
*
* System commands should be transparent to the user and as such be
* automatically undone/redone with the next plain command. Additional care
* must be taken that system commands that are executed after undo don't
* break the correspondence between the topmost commands on the undo and
* redo stacks.
*
* Hidden commands only tell the viewer to render a hidden model such that
* its bounds can be extracted from the DOM and forwarded as separate actions.
* Hidden commands should not leave any trace on the undo/redo/off stacks.
*
* Mergeable commands should be merged with their predecessor if possible,
* such that e.g. multiple subsequent moves of the smae element can be undone
* in one single step.
*/
export class CommandStack implements ICommandStack {
protected modelFactory: IModelFactory;
protected viewerProvider: IViewerProvider;
protected logger: ILogger;
protected syncer: AnimationFrameSyncer;
protected options: CommandStackOptions;
protected currentPromise: Promise<CommandStackState>;
protected modelViewer?: IViewer;
protected hiddenModelViewer?: IViewer;
protected popupModelViewer?: IViewer;
protected undoStack: ICommand[] = [];
protected redoStack: ICommand[] = [];
/**
* Map which holds the last stoppable command for certain action kinds.
*/
protected stoppableCommands: Map<string, IStoppableCommand> = new Map();
/**
* System commands should be transparent to the user in undo/redo
* operations. When a system command is executed when the redo
* stack is not empty, it is pushed to offStack instead.
*
* On redo, all commands form this stack are undone such that the
* redo operation gets the exact same model as when it was executed
* first.
*
* On undo, all commands form this stack are undone as well as
* system ommands should be transparent to the user.
*/
protected offStack: ICommand[] = [];
protected initialize() {
this.currentPromise = Promise.resolve({
main: {
model: this.modelFactory.createRoot(EMPTY_ROOT),
modelChanged: false,
},
hidden: {
model: this.modelFactory.createRoot(EMPTY_ROOT),
modelChanged: false,
},
popup: {
model: this.modelFactory.createRoot(EMPTY_ROOT),
modelChanged: false,
}
});
}
protected get currentModel(): Promise<SModelRootImpl> {
return this.currentPromise.then(
state => state.main.model
);
}
executeAll(commands: ICommand[]): Promise<SModelRootImpl> {
commands.forEach(
command => {
this.logger.log(this, 'Executing', command);
this.handleCommand(command, command.execute, this.mergeOrPush);
}
);
return this.thenUpdate();
}
execute(command: ICommand): Promise<SModelRootImpl> {
this.logger.log(this, 'Executing', command);
this.handleCommand(command, command.execute, this.mergeOrPush);
return this.thenUpdate();
}
undo(): Promise<SModelRootImpl> {
this.undoOffStackSystemCommands();
this.undoPreceedingSystemCommands();
const command = this.undoStack[this.undoStack.length - 1];
if (command !== undefined && !this.isBlockUndo(command)) {
this.undoStack.pop();
this.logger.log(this, 'Undoing', command);
this.handleCommand(command, command.undo, (c: ICommand, context: CommandExecutionContext) => {
this.redoStack.push(c);
});
}
return this.thenUpdate();
}
redo(): Promise<SModelRootImpl> {
this.undoOffStackSystemCommands();
const command = this.redoStack.pop();
if (command !== undefined) {
this.logger.log(this, 'Redoing', command);
this.handleCommand(command, command.redo, (c: ICommand, context: CommandExecutionContext) => {
this.pushToUndoStack(c);
});
}
this.redoFollowingSystemCommands();
return this.thenUpdate();
}
/**
* Chains the current promise with another Promise that performs the
* given operation on the given command.
*
* @param beforeResolve a function that is called directly before
* resolving the Promise to return the new model. Usually puts the
* command on the appropriate stack.
*/
protected handleCommand(command: ICommand,
operation: (context: CommandExecutionContext) => CommandReturn,
beforeResolve: (command: ICommand, context: CommandExecutionContext) => void) {
// If the command implements the IStoppableCommand interface, we first need to stop the execution of the
// previous command with the same action kind and then store the new command as the last stoppable command.
if (isStoppableCommand(command)) {
const stoppableCommand = this.stoppableCommands.get(command.stoppableCommandKey);
if (stoppableCommand) {
stoppableCommand.stopExecution();
}
this.stoppableCommands.set(command.stoppableCommandKey, command);
}
this.currentPromise = this.currentPromise.then(state =>
new Promise<CommandStackState>(resolve => {
let target: 'main' | 'hidden' | 'popup';
if (command instanceof HiddenCommand)
target = 'hidden';
else if (command instanceof PopupCommand)
target = 'popup';
else
target = 'main';
const context = this.createContext(state.main.model);
let commandResult: CommandReturn;
try {
commandResult = operation.call(command, context);
} catch (error) {
this.logger.error(this, "Failed to execute command:", error);
commandResult = state[target].model;
}
const newState = copyState(state);
if (commandResult instanceof Promise) {
commandResult.then(newModel => {
if (target === 'main')
beforeResolve.call(this, command, context);
newState[target] = { model: newModel, modelChanged: true };
resolve(newState);
});
} else if (commandResult instanceof SModelRootImpl) {
if (target === 'main')
beforeResolve.call(this, command, context);
newState[target] = { model: commandResult, modelChanged: true };
resolve(newState);
} else {
if (target === 'main')
beforeResolve.call(this, command, context);
newState[target] = {
model: commandResult.model,
modelChanged: state[target].modelChanged || commandResult.modelChanged,
cause: commandResult.cause
};
resolve(newState);
}
})
);
}
protected pushToUndoStack(command: ICommand) {
this.undoStack.push(command);
if (this.options.undoHistoryLimit >= 0 && this.undoStack.length > this.options.undoHistoryLimit)
this.undoStack.splice(0, this.undoStack.length - this.options.undoHistoryLimit);
}
/**
* Notifies the Viewer to render the new model and/or the new hidden model
* and returns a Promise for the new model.
*/
protected thenUpdate(): Promise<SModelRootImpl> {
this.currentPromise = this.currentPromise.then(state => {
const newState = copyState(state);
if (state.hidden.modelChanged) {
this.updateHidden(state.hidden.model, state.hidden.cause);
newState.hidden.modelChanged = false;
newState.hidden.cause = undefined;
}
if (state.main.modelChanged) {
this.update(state.main.model, state.main.cause);
newState.main.modelChanged = false;
newState.main.cause = undefined;
}
if (state.popup.modelChanged) {
this.updatePopup(state.popup.model, state.popup.cause);
newState.popup.modelChanged = false;
newState.popup.cause = undefined;
}
return newState;
});
return this.currentModel;
}
/**
* Notify the `ModelViewer` that the model has changed.
*/
update(model: SModelRootImpl, cause?: Action): void {
if (this.modelViewer === undefined) {
this.modelViewer = this.viewerProvider.modelViewer;
}
this.modelViewer.update(model, cause);
}
/**
* Notify the `HiddenModelViewer` that the hidden model has changed.
*/
updateHidden(model: SModelRootImpl, cause?: Action): void {
if (this.hiddenModelViewer === undefined) {
this.hiddenModelViewer = this.viewerProvider.hiddenModelViewer;
}
this.hiddenModelViewer.update(model, cause);
}
/**
* Notify the `PopupModelViewer` that the popup model has changed.
*/
updatePopup(model: SModelRootImpl, cause?: Action): void {
if (this.popupModelViewer === undefined) {
this.popupModelViewer = this.viewerProvider.popupModelViewer;
}
this.popupModelViewer.update(model, cause);
}
/**
* Handling of commands after their execution.
*
* Hidden commands are not pushed to any stack.
*
* System commands are pushed to the <code>offStack</code> when the redo
* stack is not empty, allowing to undo the before a redo to keep the chain
* of commands consistent.
*
* Mergable commands are merged if possible.
*/
protected mergeOrPush(command: ICommand, context: CommandExecutionContext): void {
if (this.isBlockUndo(command)) {
this.undoStack = [];
this.redoStack = [];
this.offStack = [];
this.pushToUndoStack(command);
return;
}
if (this.isPushToOffStack(command) && this.redoStack.length > 0) {
if (this.offStack.length > 0) {
const lastCommand = this.offStack[this.offStack.length - 1];
if (lastCommand instanceof MergeableCommand && lastCommand.merge(command, context))
return;
}
this.offStack.push(command);
return;
}
if (this.isPushToUndoStack(command)) {
this.offStack.forEach(c => this.undoStack.push(c));
this.offStack = [];
this.redoStack = [];
if (this.undoStack.length > 0) {
const lastCommand = this.undoStack[this.undoStack.length - 1];
if (lastCommand instanceof MergeableCommand && lastCommand.merge(command, context))
return;
}
this.pushToUndoStack(command);
}
}
/**
* Reverts all system commands on the offStack.
*/
protected undoOffStackSystemCommands(): void {
let command = this.offStack.pop();
while (command !== undefined) {
this.logger.log(this, 'Undoing off-stack', command);
this.handleCommand(command, command.undo, () => {});
command = this.offStack.pop();
}
}
/**
* System commands should be transparent to the user, so this method
* is called from <code>undo()</code> to revert all system commands
* at the top of the undoStack.
*/
protected undoPreceedingSystemCommands(): void {
let command = this.undoStack[this.undoStack.length - 1];
while (command !== undefined && this.isPushToOffStack(command)) {
this.undoStack.pop();
this.logger.log(this, 'Undoing', command);
this.handleCommand(command, command.undo, (c: ICommand, context: CommandExecutionContext) => {
this.redoStack.push(c);
});
command = this.undoStack[this.undoStack.length - 1];
}
}
/**
* System commands should be transparent to the user, so this method
* is called from <code>redo()</code> to re-execute all system commands
* at the top of the redoStack.
*/
protected redoFollowingSystemCommands(): void {
let command = this.redoStack[this.redoStack.length - 1];
while (command !== undefined && this.isPushToOffStack(command)) {
this.redoStack.pop();
this.logger.log(this, 'Redoing ', command);
this.handleCommand(command, command.redo, (c: ICommand, context: CommandExecutionContext) => {
this.pushToUndoStack(c);
});
command = this.redoStack[this.redoStack.length - 1];
}
}
/**
* Assembles the context object that is passed to the commands execution method.
*/
protected createContext(currentModel: SModelRootImpl): CommandExecutionContext {
return {
root: currentModel,
modelChanged: this,
modelFactory: this.modelFactory,
duration: this.options.defaultDuration,
logger: this.logger,
syncer: this.syncer
};
}
protected isPushToOffStack(command: ICommand): boolean {
return command instanceof SystemCommand;
}
protected isPushToUndoStack(command: ICommand): boolean {
return !(command instanceof HiddenCommand);
}
protected isBlockUndo(command: ICommand): boolean {
return command instanceof ResetCommand;
}
}
/**
* Internal type to pass the results between the promises in the `CommandStack`.
*/
export interface CommandStackState {
main: CommandResult,
hidden: CommandResult,
popup: CommandResult
}
function copyState(state: CommandStackState): CommandStackState {
return {
main: {...state.main},
hidden: {...state.hidden},
popup: {...state.popup}
};
}