var Queue = function() {
collection = []; // Queue元素
}
...
this.print = function() {
console.log(collection);
};
...
...
this.enqueue = function(element) {
collection.push(element);
};
...
...
this.dequeue = function() {
return collection.shift();
};
...
...
this.front = function() {
return collection[0];
};
...
...
this.size = function() {
return collection.length;
};
...
...
this.isEmpty = function() {
return (collection.length === 0);
};
...
function Queue () {
collection = [];
this.print = function() {
console.log(collection);
};
this.enqueue = function(element) {
collection.push(element);
};
this.dequeue = function() {
return collection.shift();
};
this.front = function() {
return collection[0];
};
this.size = function() {
return collection.length;
};
this.isEmpty = function() {
return (collection.length === 0);
};
}
...
this.enqueue = function(element){
if (this.isEmpty()){
collection.push(element);
} else {
var added = false;
for (var i=0; i<collection.length; i++){
if (element[1] < collection[i][1]){ //checking priorities
collection.splice(i,0,element);
added = true;
break;
}
}
if (!added){
collection.push(element);
}
}
};
...
修改後完整程式碼如下:
function Queue () {
collection = [];
this.print = function() {
console.log(collection);
};
this.enqueue = function(element){
if (this.isEmpty()){
collection.push(element);
} else {
var added = false;
for (var i=0; i<collection.length; i++){
if (element[1] < collection[i][1]){ //checking priorities
collection.splice(i,0,element);
added = true;
break;
}
}
if (!added){
collection.push(element);
}
}
};
this.dequeue = function() {
return collection.shift();
};
this.front = function() {
return collection[0];
};
this.size = function() {
return collection.length;
};
this.isEmpty = function() {
return (collection.length === 0);
};
}
var q = new Queue();
q.enqueue('a');
q.enqueue('b');
q.enqueue('c');
q.print();
q.dequeue();
console.log(q.front());
q.print();
// 結果
// ["a", "b", "c"]
// "b"
// ["b", "c"]
var pq = new PriorityQueue();
pq.enqueue(['Beau Carnes', 2]);
pq.enqueue(['Quincy Larson', 3]);
pq.enqueue(['Ewa Mitulska-Wójcik', 1])
pq.enqueue(['Briana Swift', 2])
pq.printCollection();
pq.dequeue();
console.log(pq.front());
pq.printCollection();
// 結果
// [[Ewa Mitulska-Wójcik,1],[Beau Carnes,2],[Briana Swift,2],[Quincy Larson,3]]
// ["Beau Carnes", 2]
// [[Beau Carnes,2],[Briana Swift,2],[Quincy Larson,3]]