首頁  >  文章  >  web前端  >  JavaScript教程--鍊錶的資料結構的實現

JavaScript教程--鍊錶的資料結構的實現

巴扎黑
巴扎黑原創
2017-08-06 15:34:081377瀏覽

鍊錶(Linked list)是一種常見的基礎資料結構,是一種線性表,但是並不會以線性的順序儲存數據,而是在每一個節點裡存到下一個節點的指標(Pointer ) 。下面我們用JavaScript 程式碼對鍊錶的資料結構進行實作

鍊錶(Linked list)是一種常見的基礎資料結構,是一種線性表,但是並不會以線性的順序儲存數據,而是在每一個節點裡存到下一個節點的指標(Pointer)   — 維基百科

上面是維基百科對鍊錶的解讀。下面我們用JavaScript 程式碼對鍊錶的資料結構進行實作

實作Node類別表示節點


#
/**
 * Node 类用来表示节点
 * element 用来保存节点上的数据
 * next 用来保存指向下一个节点的链接
 */
function Node(element) {
 this.element = element;
 this.next = null;
}
LList类提供对链表操作的方法
/**
 * LList 类提供了对链表进行操作的方法
 * 链表只有一个属性,
 * 使用一个 Node 对象来保存该链表的头节点。
 */
class LList {
 constructor() {
  this.head = new Node('head');
 }
 // 查找节点
 find(item) {
  let currNode = this.head;
  while(currNode.element !== item) {
   currNode = currNode.next;
  }
  return currNode;
 }
 // 查找前一个节点
 findPre(item) {
  if(item === 'head') throw new Error('now is head!');
  let currNode = this.head;
  while (currNode.next && currNode.next.element !== item) {
   currNode = currNode.next;
  }
  return currNode;
 }
 // 插入新节点
 insert(newElement, item) {
  let newNode = new Node(newElement);
  let currNode = this.find(item);
  newNode.next = currNode.next;
  currNode.next = newNode;
 }
 // 删除一个节点
 remove(item) {
  let preNode = this.findPre(item);
  if(preNode.next !== null) {
   preNode.next = preNode.next.next;
  }
 }
 // 显示链表中的元素
 display() {
  let currNode = this.head;
  while(currNode.next !== null) {
   console.log(currNode.next.element);
   currNode = currNode.next;
  }
 }
}

測試程式碼


##

const list = new LList(); 
// LList { head: Node { element: 'head', next: null } }
list.insert('0', 'head');
list.insert('1', '0');
list.insert('2', '1');
list.insert('3', '2');
list.remove('1');
console.log(list); 
// LList { head: Node { element: 'head', next: Node { element: '0', next: [Object] } } }
console.log(list.display()); // 0 2 3
console.log(list.findPre('1')); 
// Node { element: '0', next: Node { element: '1', next: Node { element: '2', next: [Object] } } }

上面就是用JavaScript對簡單鍊錶的資料結構的簡單實作:smile:

以上是JavaScript教程--鍊錶的資料結構的實現的詳細內容。更多資訊請關注PHP中文網其他相關文章!

陳述:
本文內容由網友自願投稿,版權歸原作者所有。本站不承擔相應的法律責任。如發現涉嫌抄襲或侵權的內容,請聯絡admin@php.cn