在此方法中,一个新节点被插入到双向链表的开头。例如 - 如果给定的列表是 10->20->30 并且在开头添加了新元素 100,则列表将变为 100->10->20->30。
在双向链表的开头插入新节点非常容易。首先,创建一个具有给定元素的新节点。然后通过将头节点链接到新节点将其添加到列表的开头。
函数push_front就是为此目的而创建的。这是一个5步过程。
public function push_front($newElement) {
//1.分配节点
$newNode = new Node();
//2。分配数据元素
$newNode->data = $newElement;
//3。将 null 分配给下一个和上一个
//新节点
$newNode->next = null;
$newNode->prev = null;
//4。检查列表是否为空,
//如果为空则将新节点作为头
if($this->head == null) {
$this->head = $newNode;
} else {
//5。调整链接并新建
//节点作为头
$this->head->prev = $newNode;
$newNode->next = $this->head;
$this->head = $newNode;
}
}
下面是一个完整的程序,使用上面讨论的概念在双向链表的开头插入新节点.
<?php
//节点结构
class Node {
public $data;
public $next;
public $prev;
}
class LinkedList {
public $head;
public function __construct(){
$this->head = null;
}
//在列表开头添加新元素
public function push_front($newElement) {
$newNode = new Node();
$newNode->data = $newElement;
$newNode->next = null;
$newNode->prev = null;
if($this->head == null) {
$this->head = $newNode;
} else {
$this->head->prev = $newNode;
$newNode->next = $this->head;
$this->head = $newNode;
}
}
//显示列表内容
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();
//在列表开头添加三个元素。
$MyList->push_front(10);
$MyList->push_front(20);
$MyList->push_front(30);
$MyList->PrintList();
?>
上面的代码将给出以下输出:
The list contains: 30 20 10