1
0
mirror of https://github.com/danog/amp.git synced 2024-11-27 04:24:42 +01:00
amp/lib/LazyPromise.php
Niklas Keller 79ab41e5bf Update php-cs-fixer to version 2 and upgrade rules
This also fixes the code style according to the new rules.
2017-04-24 16:22:02 +02:00

52 lines
1.5 KiB
PHP

<?php
namespace Amp;
use React\Promise\PromiseInterface as ReactPromise;
/**
* Creates a promise that calls $promisor only when the result of the promise is requested (i.e. onResolve() is called
* on the promise). $promisor can return a promise or any value. If $promisor throws an exception, the promise fails
* with that exception.
*/
class LazyPromise implements Promise {
/** @var callable|null */
private $promisor;
/** @var \Amp\Promise|null */
private $promise;
/**
* @param callable $promisor Function which starts an async operation, returning a Promise or any value.
*/
public function __construct(callable $promisor) {
$this->promisor = $promisor;
}
/**
* {@inheritdoc}
*/
public function onResolve(callable $onResolved) {
if ($this->promise === null) {
$provider = $this->promisor;
$this->promisor = null;
try {
$this->promise = $provider();
if ($this->promise instanceof \Generator) {
$this->promise = new Coroutine($this->promise);
} elseif ($this->promise instanceof ReactPromise) {
$this->promise = Promise\adapt($this->promise);
} elseif (!$this->promise instanceof Promise) {
$this->promise = new Success($this->promise);
}
} catch (\Throwable $exception) {
$this->promise = new Failure($exception);
}
}
$this->promise->onResolve($onResolved);
}
}