1
|
|
|
<?php |
2
|
|
|
|
3
|
|
|
namespace Spatie\OpeningHours; |
4
|
|
|
|
5
|
|
|
use DateTime; |
6
|
|
|
use DateTimeInterface; |
7
|
|
|
use Spatie\OpeningHours\Exceptions\InvalidTimeString; |
8
|
|
|
|
9
|
|
|
class Time |
10
|
|
|
{ |
11
|
|
|
/** @var int */ |
12
|
|
|
protected $hours; |
13
|
|
|
|
14
|
|
|
/** @var int */ |
15
|
|
|
protected $minutes; |
16
|
|
|
|
17
|
|
|
protected function __construct(int $hours, int $minutes) |
18
|
|
|
{ |
19
|
|
|
$this->hours = $hours; |
20
|
|
|
$this->minutes = $minutes; |
21
|
|
|
} |
22
|
|
|
|
23
|
|
|
public static function fromString(string $string): self |
24
|
|
|
{ |
25
|
|
|
if (! preg_match('/^([0-1][0-9])|(2[0-4]):[0-5][0-9]$/', $string)) { |
26
|
|
|
throw InvalidTimeString::forString($string); |
27
|
|
|
} |
28
|
|
|
|
29
|
|
|
list($hours, $minutes) = explode(':', $string); |
30
|
|
|
|
31
|
|
|
return new self($hours, $minutes); |
32
|
|
|
} |
33
|
|
|
|
34
|
|
|
public function hours(): int |
35
|
|
|
{ |
36
|
|
|
return $this->hours; |
37
|
|
|
} |
38
|
|
|
|
39
|
|
|
public function minutes(): int |
40
|
|
|
{ |
41
|
|
|
return $this->minutes; |
42
|
|
|
} |
43
|
|
|
|
44
|
|
|
public static function fromDateTime(DateTimeInterface $dateTime): self |
45
|
|
|
{ |
46
|
|
|
return self::fromString($dateTime->format('H:i')); |
47
|
|
|
} |
48
|
|
|
|
49
|
|
|
public function isSame(self $time): bool |
50
|
|
|
{ |
51
|
|
|
return (string) $this === (string) $time; |
52
|
|
|
} |
53
|
|
|
|
54
|
|
|
public function isAfter(self $time): bool |
55
|
|
|
{ |
56
|
|
|
if ($this->isSame($time)) { |
57
|
|
|
return false; |
58
|
|
|
} |
59
|
|
|
|
60
|
|
|
if ($this->hours > $time->hours) { |
61
|
|
|
return true; |
62
|
|
|
} |
63
|
|
|
|
64
|
|
|
return $this->hours === $time->hours && $this->minutes >= $time->minutes; |
65
|
|
|
} |
66
|
|
|
|
67
|
|
|
public function isBefore(self $time): bool |
68
|
|
|
{ |
69
|
|
|
if ($this->isSame($time)) { |
70
|
|
|
return false; |
71
|
|
|
} |
72
|
|
|
|
73
|
|
|
return ! $this->isAfter($time); |
74
|
|
|
} |
75
|
|
|
|
76
|
|
|
public function isSameOrAfter(self $time): bool |
77
|
|
|
{ |
78
|
|
|
return $this->isSame($time) || $this->isAfter($time); |
79
|
|
|
} |
80
|
|
|
|
81
|
|
|
public function diff(self $time): \DateInterval |
82
|
|
|
{ |
83
|
|
|
return $this->toDateTime()->diff($time->toDateTime()); |
84
|
|
|
} |
85
|
|
|
|
86
|
|
|
public function toDateTime(DateTime $date = null): DateTime |
87
|
|
|
{ |
88
|
|
|
$date = $date ? (clone $date) : new DateTime('1970-01-01 00:00:00'); |
89
|
|
|
|
90
|
|
|
return $date->setTime($this->hours, $this->minutes); |
91
|
|
|
} |
92
|
|
|
|
93
|
|
|
public function format(string $format = 'H:i'): string |
94
|
|
|
{ |
95
|
|
|
return $this->toDateTime()->format($format); |
96
|
|
|
} |
97
|
|
|
|
98
|
|
|
public function __toString(): string |
99
|
|
|
{ |
100
|
|
|
return $this->format(); |
101
|
|
|
} |
102
|
|
|
} |
103
|
|
|
|