blob: b6308818a7714899c619d46fae8a2e45d1866ab0 (
plain) (
blame)
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
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
|
<?php
namespace React\Promise;
use React\Promise\PromiseAdapter\CallbackPromiseAdapter;
class LazyPromiseTest extends TestCase
{
use PromiseTest\FullTestTrait;
public function getPromiseTestAdapter(callable $canceller = null)
{
$d = new Deferred($canceller);
$factory = function () use ($d) {
return $d->promise();
};
return new CallbackPromiseAdapter([
'promise' => function () use ($factory) {
return new LazyPromise($factory);
},
'resolve' => [$d, 'resolve'],
'reject' => [$d, 'reject'],
'notify' => [$d, 'progress'],
'settle' => [$d, 'resolve'],
]);
}
/** @test */
public function shouldNotCallFactoryIfThenIsNotInvoked()
{
$factory = $this->createCallableMock();
$factory
->expects($this->never())
->method('__invoke');
new LazyPromise($factory);
}
/** @test */
public function shouldCallFactoryIfThenIsInvoked()
{
$factory = $this->createCallableMock();
$factory
->expects($this->once())
->method('__invoke');
$p = new LazyPromise($factory);
$p->then();
}
/** @test */
public function shouldReturnPromiseFromFactory()
{
$factory = $this->createCallableMock();
$factory
->expects($this->once())
->method('__invoke')
->will($this->returnValue(new FulfilledPromise(1)));
$onFulfilled = $this->createCallableMock();
$onFulfilled
->expects($this->once())
->method('__invoke')
->with($this->identicalTo(1));
$p = new LazyPromise($factory);
$p->then($onFulfilled);
}
/** @test */
public function shouldReturnPromiseIfFactoryReturnsNull()
{
$factory = $this->createCallableMock();
$factory
->expects($this->once())
->method('__invoke')
->will($this->returnValue(null));
$p = new LazyPromise($factory);
$this->assertInstanceOf('React\\Promise\\PromiseInterface', $p->then());
}
/** @test */
public function shouldReturnRejectedPromiseIfFactoryThrowsException()
{
$exception = new \Exception();
$factory = $this->createCallableMock();
$factory
->expects($this->once())
->method('__invoke')
->will($this->throwException($exception));
$onRejected = $this->createCallableMock();
$onRejected
->expects($this->once())
->method('__invoke')
->with($this->identicalTo($exception));
$p = new LazyPromise($factory);
$p->then($this->expectCallableNever(), $onRejected);
}
}
|