Completed
Push — master ( d025ba...cd6efa )
by Chris
04:35
created

PacketDecoder   A

Complexity

Total Complexity 6

Size/Duplication

Total Lines 59
Duplicated Lines 0 %

Test Coverage

Coverage 0%

Importance

Changes 0
Metric Value
dl 0
loc 59
ccs 0
cts 35
cp 0
rs 10
c 0
b 0
f 0
wmc 6

4 Methods

Rating   Name   Duplication   Size   Complexity  
A __construct() 0 4 1
B decodePacket() 0 27 3
A getHeaderDecoder() 0 3 1
A getMessageDecoder() 0 3 1
1
<?php declare(strict_types=1);
2
3
namespace DaveRandom\LibLifxLan\Decoding;
4
5
use DaveRandom\LibLifxLan\Decoding\Exceptions\DecodingException;
6
use DaveRandom\LibLifxLan\Decoding\Exceptions\InsufficientDataException;
7
use DaveRandom\LibLifxLan\Header\Header;
8
use DaveRandom\LibLifxLan\Packet;
9
10
final class PacketDecoder
11
{
12
    private const HEADER_OFFSET = 0;
13
    private const MESSAGE_OFFSET = Header::WIRE_SIZE;
14
15
    private $headerDecoder;
16
    private $messageDecoder;
17
18
    public function __construct(HeaderDecoder $headerDecoder = null, MessageDecoder $messageDecoder = null)
19
    {
20
        $this->headerDecoder = $headerDecoder ?? new HeaderDecoder;
21
        $this->messageDecoder = $messageDecoder ?? new MessageDecoder;
22
    }
23
24
    public function getHeaderDecoder(): HeaderDecoder
25
    {
26
        return $this->headerDecoder;
27
    }
28
29
    public function getMessageDecoder(): MessageDecoder
30
    {
31
        return $this->messageDecoder;
32
    }
33
34
    /**
35
     * @param string $buffer
36
     * @param int $offset
37
     * @param int|null $length
38
     * @return Packet
39
     * @throws DecodingException
40
     * @throws InsufficientDataException
41
     */
42
    public function decodePacket(string $buffer, int $offset = 0, int $length = null): Packet
43
    {
44
        $dataLength = $length ?? (\strlen($buffer) - $offset);
45
46
        if ($dataLength < Header::WIRE_SIZE) {
47
            throw new InsufficientDataException(
48
                "Data length {$dataLength} less than minimum packet size " . Header::WIRE_SIZE
49
            );
50
        }
51
52
        $statedLength = \unpack('vlength', $buffer, $offset)['length'];
53
54
        if ($statedLength !== $dataLength) {
55
            throw new InsufficientDataException(
56
                "Packet length is stated to be {$statedLength} bytes, buffer is {$dataLength} bytes"
57
            );
58
        }
59
60
        $header = $this->headerDecoder->decodeHeader($buffer, $offset + self::HEADER_OFFSET);
61
        $payload = $this->messageDecoder->decodeMessage(
62
            $header->getProtocolHeader()->getType(),
63
            $buffer,
64
            $offset + self::MESSAGE_OFFSET,
65
            $dataLength - Header::WIRE_SIZE
66
        );
67
68
        return new Packet($header, $payload);
69
    }
70
}
71