数组和链表
数组:是一种最常用的线性数据结构,里面存放的元素的类型是一样的,并且有序的,
特点:
- 随机访问性强,查找速度快
- 插入和删除效率低
- 内存空间要求高,必须有足够的连续内存空间,可能浪费内存
- 数组大小固定,不能动态拓展
单向链表(单链表)是链表的一种,它由节点组成,每个节点都包含下一个节点的指针。双链表也是由节点组成,它的每个数据结点中都有两个指针,分别指向直接后继和直接前驱
特点:
- 插入删除速度快
- 内存利用率高,不会浪费内存
- 大小没有固定,拓展很灵活
- 不能随机查找,必须从第一个开始遍历,查找效率低
<?php // 节点类 class Node { public $data; // 节点数据 public $next; // 下一节点 public function __construct($data) { $this->data = $data; $this->next = NULL; } } // 单链表类 class SingleLinkedList { private $header; // 头节点 function __construct($data) { $this->header = new Node($data); } // 查找节点 public function find($item) { $current = $this->header; while ($current->data != $item) { $current = $current->next; } return $current; } // (在节点后)插入新节点 public function insert($item, $new) { $newNode = new Node($new); $current = $this->find($item); $newNode->next = $current->next; $current->next = $newNode; return true; } // 更新节点 public function update($old, $new) { $current = $this->header; if ($current->next == null) { echo "链表为空!"; return; } while ($current->next != null) { if ($current->data == $old) { break; } $current = $current->next; } return $current->data = $new; } // 查找待删除节点的前一个节点 public function findPrevious($item) { $current = $this->header; while ($current->next != null && $current->next->data != $item) { $current = $current->next; } return $current; } // 从链表中删除一个节点 public function delete($item) { $previous = $this->findPrevious($item); if ($previous->next != null) { $previous->next = $previous->next->next; } } // findPrevious和delete的整合 public function remove($item) { $current = $this->header; while ($current->next != null && $current->next->data != $item) { $current = $current->next; } if ($current->next != null) { $current->next = $current->next->next; } } // 清空链表 public function clear() { $this->header = null; } // 显示链表中的元素 public function display() { $current = $this->header; if ($current->next == null) { echo "链表为空!"; return; } while ($current->next != null) { echo $current->next->data . "  "; $current = $current->next; } } } $linkedList = new SingleLinkedList('header'); $linkedList->insert('header', 'China'); $linkedList->insert('China', 'USA'); $linkedList->insert('USA','England'); $linkedList->insert('England','Australia'); echo '链表为:'; $linkedList->display(); echo "</br>"; echo '-----删除节点USA-----'; echo "</br>"; $linkedList->delete('USA'); echo '链表为:'; $linkedList->display(); echo "</br>"; echo '-----更新节点England为Japan-----'; echo "</br>"; $linkedList->update('England', 'Japan'); echo '链表为:'; $linkedList->display(); //echo "</br>"; //echo "-----清空链表-----"; //echo "</br>"; //$linkedList->clear(); //$linkedList->display(); // 输出: 链表为:China USA England Australia -----删除节点USA----- 链表为:China England Australia -----更新节点England为Japan----- 链表为:China Japan Australia

浙公网安备 33010602011771号