1
0
mirror of https://github.com/danog/amp.git synced 2024-11-26 20:15:00 +01:00
amp/lib/Internal/Producer.php
Aaron Piotrowski 5651240615 Update to promise spec v0.3
Dropped strict-types due to spec requiring weak types in callbacks.
2016-12-29 16:29:27 -06:00

120 lines
3.1 KiB
PHP

<?php
namespace Amp\Internal;
use Amp\{ Deferred, Success };
use Interop\Async\{ Promise, Promise\ErrorHandler };
/**
* Trait used by Observable implementations. Do not use this trait in your code, instead compose your class from one of
* the available classes implementing \Amp\Observable.
* Note that it is the responsibility of the user of this trait to ensure that subscribers have a chance to subscribe first
* before emitting values.
*
* @internal
*/
trait Producer {
use Placeholder {
resolve as complete;
}
/** @var callable[] */
private $subscribers = [];
/**
* @param callable $onNext
*/
public function subscribe(callable $onNext) {
if ($this->resolved) {
return;
}
$this->subscribers[] = $onNext;
}
/**
* Emits a value from the observable. The returned promise is resolved with the emitted value once all subscribers
* have been invoked.
*
* @param mixed $value
*
* @return \Interop\Async\Promise
*
* @throws \Error If the observable has resolved.
*/
private function emit($value): Promise {
if ($this->resolved) {
throw new \Error("The observable has been resolved; cannot emit more values");
}
if ($value instanceof Promise) {
$deferred = new Deferred;
$value->when(function ($e, $v) use ($deferred) {
if ($this->resolved) {
$deferred->fail(
new \Error("The observable was resolved before the promise result could be emitted")
);
return;
}
if ($e) {
$this->fail($e);
$deferred->fail($e);
return;
}
$deferred->resolve($this->emit($v));
});
return $deferred->promise();
}
$promises = [];
foreach ($this->subscribers as $onNext) {
try {
$result = $onNext($value);
if ($result instanceof Promise) {
$promises[] = $result;
}
} catch (\Throwable $e) {
ErrorHandler::notify($e);
}
}
if (!$promises) {
return new Success($value);
}
$deferred = new Deferred;
$count = \count($promises);
$f = static function ($e) use ($deferred, $value, &$count) {
if ($e) {
ErrorHandler::notify($e);
}
if (!--$count) {
$deferred->resolve($value);
}
};
foreach ($promises as $promise) {
$promise->when($f);
}
return $deferred->promise();
}
/**
* Resolves the observable with the given value.
*
* @param mixed $value
*
* @throws \Error If the observable has already been resolved.
*/
private function resolve($value = null) {
$this->complete($value);
$this->subscribers = [];
}
}