|
1
|
<?php |
|
2
|
|
|
3
|
declare(strict_types=1); |
|
4
|
|
|
5
|
namespace Serializor; |
|
6
|
|
|
7
|
use Closure; |
|
8
|
use ReflectionFunction; |
|
9
|
|
|
10
|
/** |
|
11
|
* Stasis for instance method callables (first-class callable syntax: $obj->method(...)) |
|
12
|
* Stores the object and method name. |
|
13
|
*/ |
|
14
|
final class BoundMethodStasis extends Stasis |
|
15
|
{ |
|
16
|
private object $object; |
|
17
|
private string $method; |
|
18
|
private array $use = []; |
|
19
|
|
|
20
|
private function __construct() {} |
|
21
|
|
|
22
|
public function __serialize(): array |
|
23
|
{ |
|
24
|
$data = ['o' => $this->object, 'm' => $this->method]; |
|
25
|
if (!empty($this->use)) { |
|
26
|
$data['u'] = $this->use; |
|
27
|
} |
|
28
|
return $data; |
|
29
|
} |
|
30
|
|
|
31
|
public function __unserialize(array $data): void |
|
32
|
{ |
|
33
|
$this->object = $data['o']; |
|
34
|
$this->method = $data['m']; |
|
35
|
$this->use = $data['u'] ?? []; |
|
36
|
} |
|
37
|
|
|
38
|
public function getClassName(): string |
|
39
|
{ |
|
40
|
return Closure::class; |
|
41
|
} |
|
42
|
|
|
43
|
public static function fromClosure(Closure $value, ReflectionFunction $rf): BoundMethodStasis |
|
44
|
{ |
|
45
|
$frozen = new BoundMethodStasis(); |
|
46
|
$frozen->object = $rf->getClosureThis(); |
|
47
|
$frozen->method = $rf->getName(); |
|
48
|
$frozen->use = $rf->getClosureUsedVariables(); |
|
49
|
return $frozen; |
|
50
|
} |
|
51
|
|
|
52
|
/** |
|
53
|
* Get the bound object for transformation. |
|
54
|
*/ |
|
55
|
public function getObject(): ?object |
|
56
|
{ |
|
57
|
return $this->object; |
|
58
|
} |
|
59
|
|
|
60
|
/** |
|
61
|
* Set the bound object (after transformation). |
|
62
|
*/ |
|
63
|
public function setObject(mixed $object): void |
|
64
|
{ |
|
65
|
$this->object = $object; |
|
66
|
} |
|
67
|
|
|
68
|
public function &getInstance(): mixed |
|
69
|
{ |
|
70
|
if ($this->hasInstance()) { |
|
71
|
return $this->getCachedInstance(); |
|
72
|
} |
|
73
|
|
|
74
|
$result = Closure::fromCallable([$this->object, $this->method]); |
|
75
|
|
|
76
|
// If there are use variables, we need to rebind with those in scope |
|
77
|
// (This is rare for first-class callables but supported) |
|
78
|
if (!empty($this->use)) { |
|
79
|
// For bound methods, use vars are typically not used, but if they were, |
|
80
|
// we'd need a more complex reconstruction. For now, the simple case. |
|
81
|
} |
|
82
|
|
|
83
|
$this->setInstance($result); |
|
84
|
return $result; |
|
85
|
} |
|
86
|
} |
|
87
|
|