この記事では主に PHP のデータ構造の基本的なスタックを紹介しますが、これは参考になると思いますので、皆さんに共有します。必要な友人は参考にしてください。
スタックとキューは、前述した実際の PHP データ構造の基礎である二重リンク リストのような線形構造です。
スタックは後入れ先出し原則 (LIFO) に従います。これは、スタックには要素のプッシュと要素のポップのためのアウトレットが 1 つしかないことを意味します。プッシュまたはポップ操作を実行するときは、スタックがいっぱいであるか、スタックが空であるかに注意する必要があります。
早速、スタック上で実行する一般的な操作を直接見てみましょう。
プッシュ
ポップ
interface StackInterface { public function push(string $item); public function pop(); public function top(); public function isEmpty(); }
class ArrStack implements StackInterface { private $stack; private $limit; public function __construct(int $limit = 20) { $this->limit = $limit; $this->stack = []; } public function __get($val) { return $this->$val; } public function push(string $data = null) { if (count($this->stack) < $this->limit) { array_push($this->stack, $data); } else { throw new \OverflowException('stack is overflow'); } } public function pop() { if ($this->isEmpty()) { throw new \UnderflowException('stack is empty'); } else { return array_pop($this->stack); } } public function isEmpty() { return empty($this->stack); } public function top() { return end($this->stack); }
class LinkedListStack implements StackInterface { private $stack; private $limit; public function __construct(int $limit) { $this->limit = $limit; $this->stack = new LinkedList(); } public function top() { return $this->stack->getNthNode($this->stack->getSize() - 1)->data; } public function isEmpty() { return $this->stack->getSize() === 0; } public function pop() { if ($this->isEmpty()) { throw new \UnderflowException('stack is empty'); } else { $lastItem = $this->top(); $this->stack->deleteLast(); return $lastItem; } } public function push(string $item) { if ($this->stack->getSize() < $this->limit) { $this->stack->insert($item); } else { throw new \OverflowException('stack is overflow'); } }
"8 * (9 -2) + { (4 * 5) / ( 2 * 2) }
"5 * 8 * 9 / ( 3 * 2 ) )"
"[{ (2 * 7) + ( 15 - 3) ]"
class ExpressionChecker { //$expressions[] = "8 * (9 -2) + { (4 * 5) / ( 2 * 2) }"; //$expressions[] = "5 * 8 * 9 / ( 3 * 2 ) )"; //$expressions[] = "[{ (2 * 7) + ( 15 - 3) ]"; public function check(string $expression): bool { $stack = new \SplStack(); foreach (str_split($expression) as $item) { switch ($item) { case '{': case '[': case '(': $stack->push($item); break; case '}': case ']': case ')': if ($stack->isEmpty()) return false; $last = $stack->pop(); if ( $item == '{' && $last != '}' || $item == '(' && $last != ')' || $item == '[' && $last != ']' ) return false; break; } } if ($stack->isEmpty()) { return true; } return false; } }
PHP による Beanstalkd の操作方法とパラメーター コメント
以上がPHPデータ構造の基本スタックの詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。