CaseInsensitiveArray::getIterator()   A
last analyzed

Complexity

Conditions 1
Paths 1

Size

Total Lines 3
Code Lines 1

Duplication

Lines 0
Ratio 0 %

Importance

Changes 1
Bugs 0 Features 0
Metric Value
cc 1
eloc 1
c 1
b 0
f 0
nc 1
nop 0
dl 0
loc 3
rs 10
1
<?php
2
3
namespace bSecure\Util;
4
5
/**
6
 * CaseInsensitiveArray is an array-like class that ignores case for keys.
7
 *
8
 * It is used to store HTTP headers. Per RFC 2616, section 4.2:
9
 * Each header field consists of a name followed by a colon (":") and the field value. Field names
10
 * are case-insensitive.
11
 *
12
 * In the context of bSecure-php, this is useful because the API will return headers with different
13
 * case depending on whether HTTP/2 is used or not (with HTTP/2, headers are always in lowercase).
14
 */
15
class CaseInsensitiveArray implements \ArrayAccess, \Countable, \IteratorAggregate
16
{
17
    private $container = [];
18
19
    public function __construct($initial_array = [])
20
    {
21
        $this->container = \array_change_key_case($initial_array, \CASE_LOWER);
22
    }
23
24
    public function count()
25
    {
26
        return \count($this->container);
27
    }
28
29
    public function getIterator()
30
    {
31
        return new \ArrayIterator($this->container);
32
    }
33
34
    public function offsetSet($offset, $value)
35
    {
36
        $offset = static::maybeLowercase($offset);
37
        if (null === $offset) {
38
            $this->container[] = $value;
39
        } else {
40
            $this->container[$offset] = $value;
41
        }
42
    }
43
44
    public function offsetExists($offset)
45
    {
46
        $offset = static::maybeLowercase($offset);
47
48
        return isset($this->container[$offset]);
49
    }
50
51
    public function offsetUnset($offset)
52
    {
53
        $offset = static::maybeLowercase($offset);
54
        unset($this->container[$offset]);
55
    }
56
57
    public function offsetGet($offset)
58
    {
59
        $offset = static::maybeLowercase($offset);
60
61
        return isset($this->container[$offset]) ? $this->container[$offset] : null;
62
    }
63
64
    private static function maybeLowercase($v)
65
    {
66
        if (\is_string($v)) {
67
            return \strtolower($v);
68
        }
69
70
        return $v;
71
    }
72
}