Created
July 5, 2012 00:37
-
-
Save dsamarin/3050311 to your computer and use it in GitHub Desktop.
Easy undo-redo in JavaScript.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
function UndoItem (perform, data) { | |
this.perform = perform; | |
this.data = data; | |
} | |
/** | |
* UndoStack: | |
* Easy undo-redo in JavaScript. | |
**/ | |
function UndoStack(self) { | |
this.stack = []; | |
this.current = -1; | |
this.self = self; | |
} | |
/** | |
* UndoStack#push (action, data); | |
* perform(true, data) -> Function which performs redo based on previous state | |
* perform(false, data) -> Function which performs undo based on current state | |
* data -> Argument passed to undo/redo functions | |
**/ | |
UndoStack.prototype.push = function (perform, data) { | |
this.current++; | |
// We need to invalidate all undo items after this new one | |
// or people are going to be very confused. | |
this.stack.splice(this.current); | |
this.stack.push(new UndoItem(perform, data)); | |
}; | |
UndoStack.prototype.undo = function () { | |
var item; | |
if (this.current >= 0) { | |
item = this.stack[this.current]; | |
item.perform.call(this.self, false, item.data); | |
this.current--; | |
} else { | |
throw new Error("Already at oldest change"); | |
} | |
}; | |
UndoStack.prototype.redo = function () { | |
var item; | |
item = this.stack[this.current + 1]; | |
if (item) { | |
item.perform.call(this.self, true, item.data); | |
this.current++; | |
} else { | |
throw new Error("Already at newest change"); | |
} | |
}; | |
UndoStack.prototype.invalidateAll = function () { | |
this.stack = []; | |
this.current = -1; | |
}; |
If it is of any interest I've used a similar technique to show how to create undo functionality when painting the HTML canvas.
sds
Very nice. I will use this example to help me redesign my current out-dated undo-redo.
What's the use of this.self in this case?
can you make an example how to use it with textarea and two buttons to undo and redo the text on the textarea ?
Hi,
I hope you are well
Can this code be used with p5.js?
Thank you
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Usage