1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
|
<?php
/** * Basic Stack Class * * Created for use with eqEOS. May eventually be replaced with native * PHP functions `array_pop()`, `array_push()`, and `end()` * * @author Jon Lawrence <jlawrence11@gmail.com> * @copyright Copyright ©2005-2013 Jon Lawrence * @license http://opensource.org/licenses/LGPL-2.1 LGPL 2.1 License * @package eos.class.php * @version 2.0 */ class phpStack { private $index; private $locArray;
/** * Constructor * * Initializes the stack */ public function __construct() { //define the private vars $this->locArray = array(); $this->index = -1; }
/** * Peek * * Will view the last element of the stack without removing it * * @return Mixed An element of the array or false if none exist */ public function peek() { if($this->index > -1) return $this->locArray[$this->index]; else return false; }
/** * Poke * * Will add an element to the end of the stack * * @param Mixed Element to add */ public function poke($data) { $this->locArray[++$this->index] = $data; }
/** * Push * * Alias of {@see phpStack::poke()} * Adds element to the stack * * @param Mixed Element to add */ public function push($data) { //allias for 'poke' $this->poke($data); }
/** * Pop * * Retrives an element from the end of the stack, and removes it from * the stack at the same time. If no elements, returns boolean false * * @return Mixed Element at end of stack or false if none exist */ public function pop() { if($this->index > -1) { $this->index--; return $this->locArray[$this->index+1]; } else return false; }
/** * Clear * * Clears the stack to be reused. */ public function clear() { $this->index = -1; $this->locArray = array(); }
/** * Get Stack * * Returns the array of stack elements, keeping all, indexed at 0 * * @return Mixed Array of stack elements or false if none exist. */ public function getStack() { if($this->index > -1) { return array_values($this->locArray); } else return false; } }
?>
|