PHP 数据结构

链表是一种线性数据结构,其中元素以节点的形式存储。每个节点包含两个子元素。数据部分存储元素的值,下一部分存储下一个节点的链接,如下图所示:

PHP - 链表

第一个节点也称为 HEAD,始终用作遍历列表的引用。最后一个节点指向NULL。链表可以可视化为一串节点,其中每个节点都指向下一个节点。

PHP - 链表

链表类型

链表类型如下:

  • 单向链表:只能向前遍历。
  • 双向链表:可以向前和向后遍历。
  • 循环单链表列表:最后一个元素包含指向第一个元素(作为下一个元素)的链接。
  • 循环双向链表:最后一个元素包含指向第一个元素(作为下一个元素)和第一个元素的链接包含最后一个元素的链接。

单链表的实现

表示:

在PHP中,可以表示单链表作为一个类,而 Node 作为一个单独的类。 LinkedList 类包含 Node 类类型的引用。

//节点结构
class Node {
  public $data;
  public $next;
}

class LinkedList {
  public $head;

  //构造函数创建一个空的LinkedList
  public function __construct(){
    $this->head = null;
  }
}; 

创建一个单链表

让我们创建一个包含三个数据节点的简单单链表。

<?php
//节点结构
class Node {
  public $data;
  public $next;
}

class LinkedList {
  public $head;

  //构造函数创建一个空的LinkedList
  public function __construct(){
    $this->head = null;
  }    
};

//测试代码
//创建一个空的链表
$MyList = new LinkedList();

//添加第一个节点。
$first = new Node();
$first->data = 10;
$first->next = null;
//与头节点链接
$MyList->head = $first;

//添加第二个节点。
$second = new Node();
$second->data = 20;
$second->next = null;
//与第一个节点链接
$first->next = $second;

//添加第三个节点。
$third = new Node();
$third->data = 30;
$third->next = null;
//与第二个节点链接
$second->next = $third;
?> 

遍历单链表

可以使用临时节点来遍历单链表。继续将临时节点移动到下一个节点并显示其内容。在列表末尾,临时节点将变为 NULL。

<?php
//节点结构
class Node {
  public $data;
  public $next;
}

class LinkedList {
  public $head;

  //构造函数创建一个空的LinkedList
  public function __construct(){
    $this->head = null;
  }
  
  //显示列表内容
  public function PrintList() {
    $temp = new Node();
    $temp = $this->head;
    if($temp != null) {
      echo "The list contains: ";
      while($temp != null) {
        echo $temp->data." ";
        $temp = $temp->next;
      }
      echo "\n";
    } else {
      echo "The list is empty.\n";
    }
  }   
};

//测试代码
//创建一个空的链表
$MyList = new LinkedList();

//添加第一个节点。
$first = new Node();
$first->data = 10;
$first->next = null;
//与头节点链接
$MyList->head = $first;

//添加第二个节点。
$second = new Node();
$second->data = 20;
$second->next = null;
//与第一个节点链接
$first->next = $second;

//添加第三个节点。
$third = new Node();
$third->data = 30;
$third->next = null;
//与第二个节点链接
$second->next = $third;

//打印列表内容
$MyList->PrintList();   
?> 

上面的代码将给出以下输出:

The list contains: 10 20 30