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
// Javascript Doubly Ended Queue | |
var Dequeue = function() { | |
this._head = new Dequeue.Node(); | |
this._tail = new Dequeue.Node(); | |
this._head._next = this._tail; | |
this._tail._prev = this._head; | |
} | |
Dequeue.Node = function(data) { | |
this._data = data; | |
this._prev = null; | |
this._next = null; | |
}; | |
Dequeue.prototype.empty = function() { | |
return this._head._next === this._tail; | |
}; | |
Dequeue.prototype.push = function(data) { | |
var node = new Dequeue.Node(data); | |
node._prev = this._tail._prev; | |
node._prev._next = node; | |
node._next = this._tail; | |
this._tail._prev = node; | |
}; | |
Dequeue.prototype.pop = function() { | |
if (this.empty()) { | |
throw new Error("pop() called on empty dequeue"); | |
} else { | |
var node = this._tail._prev; | |
this._tail._prev = node._prev; | |
node._prev._next = this._tail; | |
return node._data; | |
} | |
}; | |
Dequeue.prototype.unshift = function(data) { | |
var node = new Dequeue.Node(data); | |
node._next = this._head._next; | |
node._next._prev = node; | |
node._prev = this._head; | |
this._head._next = node; | |
}; | |
Dequeue.prototype.shift = function() { | |
if (this.empty()) { | |
throw new Error("shift() called on empty dequeue"); | |
} else { | |
var node = this._head._next; | |
this._head._next = node._next; | |
node._next._prev = this._head; | |
return node._data; | |
} | |
}; |
What are you using this for?
ReplyDeleteNothing! I was looking at some code in a book and the authors proceeded to show a doubly ended queue example which, because they didn't use dummy head and tail pointers had all this special case code. You know, add the node this way, unless the dequeue is empty in which case you do this... This reminded me of a dequeue implementation I wrote in college using C that used the dummy nodes to avoid special case code. To exercise my Javascript skills a bit I decided to see what it might look like in Javascript and how it would compare on performance to a Javascript array because it provides shift and unshift for working with the head...
ReplyDeletehey david - i actually have a use for this. can I use this under an MIT license or do i have to reimplement?
ReplyDeleteJust use it.
ReplyDelete