function Node(item) {
this.item = item;
this.next = null;
}
function LinkedList() {
this.length = 0;
this.head = null;
}
LinkedList.prototype.append = function(item) {
if (this.length === 0) {
this.head = item;
} else {
var current = this.head;
while(current.next) {
current = current.next;
}
current.next = item;
}
this.length++;
}
LinkedList.prototype.insert = function(position, item) {
if (position === 0) {
var current = this.head;
this.head = item;
this.head.next = current;
} else {
var current = this.head;
var prevent = current;
var index = 0;
while(position > index) {
prevent = current;
current = current.next;
index++;
}
item.next = current;
prevent.next = item;
}
this.length++;
}
LinkedList.prototype.indexOf = function(item) {
var current = this.head;
var index = 0;
while(current.next) {
if (current.item === item) {
return index;
}
current = current.next;
index++;
}
return -1;
}
LinkedList.prototype.remove = function(item) {
var current = this.head;
var prevent = current;
var index = 0;
while(current.next) {
if (current.item === item) {
if (index === 0) {
this.head = current.next;
} else {
prevent.next = current.next;
}
this.length --;
return;
}
prevent = current;
current = current.next;
index ++;
}
if (current.item === item) {
prevent.next = null;
this.length--;
}
}
LinkedList.prototype.removeAt = function(position) {
var current = this.head;
var prevent = current;
var index = 0;
while(current.next) {
if (position === index) {
if (index === 0) {
this.head = current.next;
} else {
prevent.next = current.next;
}
this.length --;
return;
}
prevent = current;
current = current.next;
index ++;
}
if (position === index) {
prevent.next = null;
this.length --;
}
}
LinkedList.prototype.getHead = function() {
return this.head;
}
LinkedList.prototype.isEmpty = function() {
return this.length === 0;
}
LinkedList.prototype.toString = function() {
var current = this.head;
var content = current.item.toString();
while(current.next) {
current = current.next;
content += current.item.toString();
}
return content;
}
LinkedList.prototype.size = function() {
return this.length;
}
var n1 = new Node(9);
var n2 = new Node(8);
var n3 = new Node(6);
var l = new LinkedList();
l.append(n1);
l.append(n2);
l.insert(1, n3);
console.log(l.toString());
console.log(l.indexOf(6));
l.remove(8);
console.log(l.toString());
console