php實(shí)現(xiàn)的順序線性表示例
更新時(shí)間:2019年05月04日 17:19:10 作者:等待是一生最初的蒼老
這篇文章主要介紹了php實(shí)現(xiàn)的順序線性表,結(jié)合實(shí)例形式分析了PHP順序線性表的定義、元素獲取、插入、刪除等相關(guān)操作技巧,需要的朋友可以參考下
本文實(shí)例講述了php實(shí)現(xiàn)的順序線性表。分享給大家供大家參考,具體如下:
<?php
/*
* 線性順序表 ,其是按照順序在內(nèi)存進(jìn)行存儲(chǔ),出起始和結(jié)尾以外都是一一連接的(一般都是用一維數(shù)組的形式表現(xiàn))
*
* GetElem: 返回線性表中第$index個(gè)數(shù)據(jù)元素
* ListLength: 返回線性表的長度
* LocateElem: 返回給定的數(shù)據(jù)元素在線性表中的位置
* PriorElem: 返回指定元素的前一個(gè)元素
* NextElem: 返回指定元素的后一個(gè)元素
* ListInsert: 在第index的位置插入元素elem
* ListDelete: 刪除第index位置的元素elem
*/
class Sequence {
public $seqArr;
public $length;
public function __construct($arr) {
$this->seqArr = $arr;
$this->length = count($arr);
}
/*
* 返回線性表中第$index個(gè)數(shù)據(jù)元素
*/
public function GetElem($index) {
if (($this->length) == 0 || $index < 0 || ($index > $this->length)) {
return "Error";
}
return $this->seqArr[$index - 1];
}
/*
* 返回線性表的長度
*
*/
public function ListLength() {
return $this->length;
}
/*
* 返回給定的數(shù)據(jù)元素在線性表中的位置
*/
public function LocateElem($elem) {
for ($i = 0; $i < ($this->length); $i++) {
if (($this->seqArr[$i]) == $elem) {
return $i + 1;
}
}
}
/*
* PriorElem: 返回指定元素的前一個(gè)元素
*/
public function PriorElem($elem) {
for ($i = 0; $i < ($this->length); $i++) {
if (($this->seqArr[$i]) == $elem) {
if ($i == 0) {
return "Error (is null) ";
} else {
return $this->seqArr[$i - 1];
}
}
}
}
/*
* NextElem: 返回指定元素的后一個(gè)元素
*/
public function NextElem($elem) {
for ($i = 0; $i < ($this->length); $i++) {
if (($this->seqArr[$i]) == $elem) {
return $this->seqArr[$i + 1];
}
}
}
/*
* ListInsert: 在第index的位置插入元素elem
*/
public function ListInsert($index, $elem) {
if (($this->length) == 0 || $index < 0 || $index > ($this->length)) {
return "Error";
}
for ($i = $index; $i < ($this->length); $i++) {
$this->seqArr[$i + 1] = $this->seqArr[$i];
}
$this->seqArr[$index] = $elem;
$this->length = $this->length + 1;
return $this->seqArr;
}
/*
* ListDelete: 刪除第index位置的元素
*/
public function ListDelete($index) {
if (($this->length) == 0 || $index < 0 || $index > ($this->length - 1)) {
return "Error";
}
unset($this->seqArr[$index]);
$this->length--;
return $this->seqArr;
}
}
?>
更多關(guān)于PHP相關(guān)內(nèi)容感興趣的讀者可查看本站專題:《PHP數(shù)據(jù)結(jié)構(gòu)與算法教程》、《php程序設(shè)計(jì)算法總結(jié)》、《php字符串(string)用法總結(jié)》、《PHP數(shù)組(Array)操作技巧大全》、《PHP常用遍歷算法與技巧總結(jié)》及《PHP數(shù)學(xué)運(yùn)算技巧總結(jié)》
希望本文所述對(duì)大家PHP程序設(shè)計(jì)有所幫助。
您可能感興趣的文章:
- php數(shù)據(jù)結(jié)構(gòu)之順序鏈表與鏈?zhǔn)骄€性表示例
- php線性表順序存儲(chǔ)實(shí)現(xiàn)代碼(增刪查改)
- php線性表的入棧與出棧實(shí)例分析
- PHP+MySQL統(tǒng)計(jì)該庫中每個(gè)表的記錄數(shù)并按遞減順序排列的方法
- php實(shí)現(xiàn)單鏈表的實(shí)例代碼
- PHP小教程之實(shí)現(xiàn)鏈表
- 淺談PHP鏈表數(shù)據(jù)結(jié)構(gòu)(單鏈表)
- PHP小教程之實(shí)現(xiàn)雙向鏈表
- PHP實(shí)現(xiàn)單鏈表翻轉(zhuǎn)操作示例
- PHP鏈表操作簡單示例
- PHP環(huán)形鏈表實(shí)現(xiàn)方法示例
相關(guān)文章
php使用swoole實(shí)現(xiàn)TCP服務(wù)
這篇文章主要為大家詳細(xì)介紹了php如何使用swoole實(shí)現(xiàn)TCP服務(wù),文中的示例代碼講解詳細(xì),具有一定的借鑒價(jià)值,有需要的小伙伴可以參考一下2024-04-04

