forked from algorithm-archivists/algorithm-archive
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathqueue.php
65 lines (53 loc) · 1.51 KB
/
queue.php
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
<?php
/**
* The SplQueue class provides the main functionalities of a queue.
* It is integrated into the PHP SPL library which is usable in any PHP application.
*
* Note: top() reads from end of the doubly linked list
* and will not return the first element. Use bottom() for that.
*
* @see https://www.php.net/manual/en/class.splqueue.php
*/
$queue = new SplQueue();
$queue->enqueue(4);
$queue->enqueue(5);
$queue->enqueue(9);
echo $queue->dequeue(), PHP_EOL; // 4 - First in first out
echo $queue->count(), PHP_EOL; // 2 - Elements in the queue
echo $queue->top(), PHP_EOL; // 9 - End of the doubly linked list
echo $queue->bottom(), PHP_EOL; // 5 - Begin of the doubly linked list
// Implementation of own Queue
interface QueueInterface
{
public function enqueue($value);
public function dequeue();
public function front();
public function count();
}
class Queue implements QueueInterface
{
private $queue = [];
public function enqueue($value)
{
$this->queue[] = $value;
}
public function dequeue()
{
return array_shift($this->queue);
}
public function front()
{
return reset($this->queue);
}
public function count()
{
return count($this->queue);
}
}
$queue = new Queue();
$queue->enqueue(4);
$queue->enqueue(5);
$queue->enqueue(9);
echo $queue->dequeue(), PHP_EOL; // 4 - First in first out
echo $queue->count(), PHP_EOL; // 2 - Elements in the queue
echo $queue->front(), PHP_EOL; // 5 - Begin of the array