Last active
December 5, 2017 06:57
-
-
Save jialinhuang00/3db371884c70fb11d97c0244c13cf212 to your computer and use it in GitHub Desktop.
This file contains hidden or 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
/*----------------------------------------------------------------------------- | |
the reference is from UdemyCourse: LearningDataStructuresinJavascriptFromScratch | |
-----------------------------------------------------------------------------*/ | |
function LinkedList() { | |
this.head = null; | |
this.tail = null; | |
} | |
function Node(value, next, prev) { | |
this.value = value; | |
this.next = next; | |
this.prev = prev; | |
} | |
LinkedList.prototype.addToHead = function(value) { | |
var newNode = new Node(value, this.head, null); | |
if (this.head) { | |
this.head.prev = newNode; | |
} else { | |
this.tail = newNode; | |
} | |
this.head = newNode; | |
}; | |
LinkedList.prototype.addToTail = function(value) { | |
var newNode = new Node(value, null, this.tail); | |
if (this.tail) { | |
this.tail.next = newNode; | |
} else { | |
this.head = newNode; | |
} | |
this.tail = newNode; | |
}; | |
LinkedList.prototype.removeHead = function() { | |
if (!this.head) { | |
return null; | |
} | |
var val = this.head.value; | |
this.head = this.head.next; | |
if (this.head) { | |
this.head.prev = null; | |
} else { | |
this.tail = null; | |
} | |
return val; | |
}; | |
LinkedList.prototype.removeTail = function() { | |
if (!this.tail) { | |
return null; | |
} | |
var val = this.tail.value; | |
this.tail = this.tail.prev; | |
if (this.tail) { | |
this.tail.next = null; | |
} else { | |
this.head = null; | |
} | |
return val; | |
}; | |
LinkedList.prototype.search = function(searchValue) { | |
var currentNode = this.head; | |
while (currentNode) { | |
if (currentNode.value === searchValue) { | |
return currentNode.value; | |
} | |
currentNode = currentNode.next; | |
} | |
return null; | |
}; | |
LinkedList.prototype.indexOf = function(value) { | |
var currentNode = this.head, | |
currentNodeIndex = 0, | |
rightIndex = []; | |
while (currentNode) { | |
if (currentNode.value === value) { | |
rightIndex.push(currentNodeIndex); | |
} | |
currentNode = currentNode.next; | |
currentNodeIndex++; | |
} | |
return rightIndex; | |
}; | |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment