mirror of
https://github.com/danog/amp.git
synced 2024-11-26 20:15:00 +01:00
Update managing-concurrency to v2, updating the docs for helpers still outstanding, fixes #78
This commit is contained in:
parent
85be4e03f4
commit
76c412a802
@ -7,7 +7,7 @@
|
||||
|
||||
`amphp/amp` is a non-blocking concurrency framework for PHP. It provides an event loop, promises and streams as a base for asynchronous programming.
|
||||
|
||||
Promises in combination with generators are used to build coroutines, which allow writing asynchronous code just like synchronous code, without any callbacks.
|
||||
Promises in combination with generators are used to build coroutines, which allow writing asynchronous code just like synchronous code, without any callbacks.
|
||||
|
||||
## Installation
|
||||
|
||||
@ -47,4 +47,4 @@ If you discover any security related issues, please email [`bobwei9@hotmail.com`
|
||||
|
||||
## License
|
||||
|
||||
The MIT License (MIT). Please see [LICENSE](./LICENSE) for more information.
|
||||
The MIT License (MIT). Please see [`LICENSE`](./LICENSE) for more information.
|
||||
|
@ -7,42 +7,40 @@ The weak link when managing concurrency is humans; we simply don't think asynchr
|
||||
|
||||
## Promises
|
||||
|
||||
The basic unit of concurrency in an Amp application is the `Amp\Promise`. These objects should be thought of as "placeholders" for values or tasks that aren't yet complete. By using placeholders we're able to reason about the results of concurrent operations as if they were already complete variables.
|
||||
The basic unit of concurrency in Amp applications is the `Amp\Promise`. These objects should be thought of as placeholders for values or tasks that aren't yet complete. By using placeholders we're able to reason about the results of concurrent operations as if they were already complete variables.
|
||||
|
||||
> **NOTE**
|
||||
>
|
||||
> Amp promises do *not* conform to the "Thenables" abstraction common in javascript promise implementations. It is this author's opinion that chaining .then() calls is a suboptimal method for avoiding callback hell in a world with generator coroutines. Instead, Amp utilizes PHP generators to "synchronize" concurrent task execution.
|
||||
> Amp's `Promise` interface **does not** conform to the "Thenables" abstraction common in JavaScript promise implementations. Chaining `.then()` calls is a suboptimal method for avoiding callback hell in a world with generator coroutines. Instead, Amp utilizes PHP generators to "synchronize" concurrent task execution.
|
||||
>
|
||||
> However, as ReactPHP is another wide-spread implementation, we also accept any `React\Promise\PromiseInterface` where we accept instances of `Amp\Promise`. In case of custom implementations not implementing `React\Promise\PromiseInterface`, `Amp\adapt` can be used to adapt any object having a `then` or `done` method.
|
||||
|
||||
### The Promise API
|
||||
|
||||
```php
|
||||
interface Promise {
|
||||
public function when(callable $func, $cbData = null);
|
||||
public function watch(callable $func, $cbData = null);
|
||||
public function when(callable $onResolve);
|
||||
}
|
||||
```
|
||||
|
||||
In its simplest form the `Amp\Promise` aggregates callbacks for dealing with computational results once they eventually resolve. While most code will not interact with this API directly thanks to the magic of [Generators](#generators), let's take a quick look at the two simple API methods exposed on `Amp\Promise` implementations:
|
||||
In its simplest form the `Amp\Promise` aggregates callbacks for dealing with computational results once they eventually resolve. While most code will not interact with this API directly thanks to the magic of [Generators](#generators), let's take a quick look at the one simple API method exposed on `Amp\Promise` implementations:
|
||||
|
||||
|
||||
| Method | Callback Signature |
|
||||
| --------- | ----------------------------------------------------------|
|
||||
| when | `function($error = null, $result = null, $cbData = null)` |
|
||||
| watch | `function($updateData, $cbData = null)` |
|
||||
|
||||
|
||||
### `when()`
|
||||
| when | `function ($error = null, $result = null)` |
|
||||
|
||||
`Amp\Promise::when()` accepts an error-first callback. This callback is responsible for reacting to the eventual result of the computation represented by the promise placeholder. For example:
|
||||
|
||||
```php
|
||||
<?php
|
||||
|
||||
$promise = someFunctionThatReturnsAPromise();
|
||||
$promise->when(function($error = null, $result = null) {
|
||||
$promise->when(function (Throwable $error = null, $result = null) {
|
||||
if ($error) {
|
||||
printf(
|
||||
"Something went wrong:\n%s\n",
|
||||
$e->getMessage()
|
||||
$error->getMessage()
|
||||
);
|
||||
} else {
|
||||
printf(
|
||||
@ -53,87 +51,49 @@ $promise->when(function($error = null, $result = null) {
|
||||
});
|
||||
```
|
||||
|
||||
> **NOTE**
|
||||
>
|
||||
> We do not use type declarations here, as PHP 7 introduced the new `Throwable` interface and Amp is PHP 5 compatible.
|
||||
Those familiar with JavaScript code generally reflect that the above interface quickly devolves into ["callback hell"](http://callbackhell.com/), and they're correct. We will shortly see how to avoid this problem in the [Generators](#generators) section.
|
||||
|
||||
Those familiar with javascript code generally reflect that the above interface quickly devolves into ["callback hell"](http://callbackhell.com/), and they're correct. We will shortly see how to avoid this problem in the [Generators](#generators) section.
|
||||
## Deferred
|
||||
|
||||
#### Optional Callback Data
|
||||
`Amp\Deferred` is the abstraction responsible for resolving future values once they become available. A library that resolves values asynchronously creates an `Amp\Deferred` and uses it to return an `Amp\Promise` to API consumers. Once the async library determines that the value is ready it resolves the promise held by the API consumer using methods on the linked promisor.
|
||||
|
||||
The optional `$cbData` can be used to avoid creating a new closure binding the value and thus avoiding the overhead. It is passed as a parameter to the callback.
|
||||
|
||||
### `watch()`
|
||||
|
||||
`Amp\Promise::watch()` affords promise-producers ([Promisors](#promisors)) the ability to broadcast progress updates while a placeholder value resolves. Whether or not to actually send progress updates is left to individual libraries, but the functionality is available should applications require it. A simple example:
|
||||
### The Deferred API
|
||||
|
||||
```php
|
||||
<?php
|
||||
$promise = someAsyncFunctionWithProgressUpdates();
|
||||
$promise->watch(function($update) {
|
||||
printf(
|
||||
"Woot, we got an update of some kind:\n%s\n",
|
||||
print_r($update, true)
|
||||
);
|
||||
});
|
||||
```
|
||||
|
||||
#### Optional Callback Data
|
||||
|
||||
The optional `$cbData` can be used to avoid creating a new closure binding the value and thus avoiding the overhead. It is passed as a parameter to the callback.
|
||||
|
||||
## Promisors
|
||||
|
||||
`Amp\Promisor` is the abstraction responsible for resolving future values once they become available. A library that resolves values asynchronously creates an `Amp\Promisor` and uses it to return an `Amp\Promise` to API consumers. Once the async library determines that the value is ready it resolves the promise held by the API consumer using methods on the linked promisor.
|
||||
|
||||
### The Promisor API
|
||||
|
||||
```php
|
||||
interface Promisor {
|
||||
public function promise();
|
||||
public function update($progress);
|
||||
public function succeed($result = null);
|
||||
final class Deferred {
|
||||
public function promise(): Promise;
|
||||
public function resolve($result = null);
|
||||
public function fail($error);
|
||||
}
|
||||
```
|
||||
|
||||
#### `promise()`
|
||||
|
||||
Returns the corresponding `Promise` instance. `Promisor` and `Promise` are separated, so the consumer of the promise can't fulfill it.
|
||||
Returns the corresponding `Promise` instance. `Deferred` and `Promise` are separated, so the consumer of the promise can't fulfill it.
|
||||
|
||||
#### `update()`
|
||||
|
||||
Updates the promise. Invokes all registered `Promise::watch()` callbacks.
|
||||
|
||||
#### `succeed()`
|
||||
#### `resolve()`
|
||||
|
||||
Resolves the promise with the first parameter as value, otherwise `null`. If a `Amp\Promise` is passed, the resolution will wait until the passed promise has been resolved. Invokes all registered `Promise::when()` callbacks.
|
||||
|
||||
#### `fail()`
|
||||
|
||||
Makes the promise fail. Invokes all registered `Promise::when()` callbacks with the passed `Exception` / `Throwable` as `$error` argument.
|
||||
Makes the promise fail. Invokes all registered `Promise::when()` callbacks with the passed `Throwable` as `$error` argument.
|
||||
|
||||
> **NOTE**
|
||||
>
|
||||
> We do not use type declarations here, as PHP 7 introduced the new `Throwable` interface and Amp is PHP 5 compatible.
|
||||
|
||||
### Deferred
|
||||
|
||||
`Amp\Deferred` is the standard `Amp\Promisor` implementation.
|
||||
|
||||
Here's a simple example of an async value producer `asyncMultiply()` creating a promisor and returning the associated promise to its API consumer. Note that the code below would work exactly the same had we used a `PrivateFuture` as our promisor instead of the `Future` employed below.
|
||||
Here's a simple example of an async value producer `asyncMultiply()` creating a deferred and returning the associated promise to its API consumer.
|
||||
|
||||
```php
|
||||
<?php // Example async producer using promisor
|
||||
|
||||
use Amp\Loop;
|
||||
|
||||
function asyncMultiply($x, $y) {
|
||||
// Create a new promisor
|
||||
$deferred = new Amp\Deferred;
|
||||
|
||||
// Resolve the async result one second from now
|
||||
Amp\once(function() use ($deferred, $x, $y) {
|
||||
$deferred->succeed($x * $y);
|
||||
}, $msDelay = 1000);
|
||||
Loop::delay($msDelay = 1000, function () use ($deferred, $x, $y) {
|
||||
$deferred->resolve($x * $y);
|
||||
});
|
||||
|
||||
return $deferred->promise();
|
||||
}
|
||||
@ -154,16 +114,15 @@ keys from the input array to their resolved values.
|
||||
|
||||
The `all()` combinator is extremely powerful because it allows us to concurrently execute many
|
||||
asynchronous operations at the same time. Let's look at a simple example using the Amp HTTP client
|
||||
([Artax](https://github.com/amphp/artax)) to retrieve multiple HTTP resources concurrently ...
|
||||
([Artax](https://github.com/amphp/artax)) to retrieve multiple HTTP resources concurrently:
|
||||
|
||||
```php
|
||||
<?php
|
||||
|
||||
use function Amp\run;
|
||||
use Amp\Loop;
|
||||
use function Amp\all;
|
||||
use function Amp\stop;
|
||||
|
||||
run(function() {
|
||||
Loop::run(function () {
|
||||
$httpClient = new Amp\Artax\Client;
|
||||
$promiseArray = $httpClient->requestMulti([
|
||||
"google" => "http://www.google.com",
|
||||
@ -175,7 +134,7 @@ run(function() {
|
||||
try {
|
||||
// magic combinator sauce to flatten the promise
|
||||
// array into a single promise
|
||||
$responses = (yield all($promiseArray));
|
||||
$responses = yield all($promiseArray);
|
||||
|
||||
foreach ($responses as $key => $response) {
|
||||
printf(
|
||||
@ -186,14 +145,14 @@ run(function() {
|
||||
$response->getReason()
|
||||
);
|
||||
}
|
||||
} catch (Amp\CombinatorException $e) {
|
||||
} catch (Amp\MultiReasonException $e) {
|
||||
// If any one of the requests fails the combo
|
||||
// promise returned by Amp\all() will fail and
|
||||
// be thrown back into our generator here.
|
||||
echo $e->getMessage(), "\n";
|
||||
}
|
||||
|
||||
stop();
|
||||
Loop::stop();
|
||||
});
|
||||
```
|
||||
|
||||
@ -227,17 +186,19 @@ discarded. Array keys are retained for any results not filtered out by the funct
|
||||
|
||||
## Generators
|
||||
|
||||
The addition of generators in PHP 5.5 trivializes synchronization and error handling in async contexts. The Amp event reactor builds in coroutine support for all reactor callbacks so we can use the `yield` keyword to make async code feel synchronous. Let's look at a simple example executing inside the event reactor run loop:
|
||||
The addition of generators in PHP 5.5 trivializes synchronization and error handling in async contexts. The Amp event loop builds in coroutine support for all event loop callbacks so we can use the `yield` keyword to make async code feel synchronous. Let's look at a simple example executing inside the event loop run loop:
|
||||
|
||||
```php
|
||||
<?php
|
||||
|
||||
use Amp\Loop;
|
||||
|
||||
function asyncMultiply($x, $y) {
|
||||
yield new Amp\Pause($millisecondsToPause = 100);
|
||||
return ($x * $y);
|
||||
return $x * $y;
|
||||
}
|
||||
|
||||
Amp\run(function() {
|
||||
Loop::run(function () {
|
||||
try {
|
||||
// Yield control until the generator resolves
|
||||
// and return its eventual result.
|
||||
@ -259,21 +220,17 @@ are still pending.
|
||||
|
||||
### Subgenerators
|
||||
|
||||
Using PHP 7, you can use `yield from` to delegate a sub task to another generator. That generator will be embedded into the currently running generator. If you're using PHP 5, you can achieve the same using `yield Amp\resolve($generator);`.
|
||||
As of PHP 7 you can use `yield from` to delegate a sub task to another generator. That generator will be embedded into the currently running generator.
|
||||
|
||||
### Implicit Yield Behavior
|
||||
### Yield Behavior
|
||||
|
||||
Any value yielded without an associated string yield key is referred to as an "implicit" yield. All implicit yields must be one of the following two types ...
|
||||
All yields must be one of the following three types:
|
||||
|
||||
| Yieldable | Description |
|
||||
| -----------------| ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------|
|
||||
| `Amp\Promise` | Any promise instance may be yielded and control will be returned to the generator once the promise resolves. If resolution fails the relevant exception is thrown into the generator and must be handled by the application or it will bubble up. If resolution succeeds the promise's resolved value is sent back into the generator. |
|
||||
| `null` | Gives the event loop time to run other tasks. Continues the generator in the next tick of the loop, just like `Amp\immediately`. |
|
||||
|
||||
|
||||
> **IMPORTANT**
|
||||
>
|
||||
> Any yielded value that is not an `Amp\Promise` or `null` will be treated as an **error** and an appropriate exception will be thrown back into the original yielding generator. This strict behavior differs from older versions of the library in which implicit yield values were simply sent back to the yielding generator function.
|
||||
| Yieldable | Description |
|
||||
| --------------| ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------|
|
||||
| `Amp\Promise` | Any promise instance may be yielded and control will be returned to the generator once the promise resolves. If resolution fails the relevant exception is thrown into the generator and must be handled by the application or it will bubble up. If resolution succeeds the promise's resolved value is sent back into the generator. |
|
||||
| `React\Promise\PromiseInterface` | Same as `Amp\Promise`. Any React promise will automatically be adapted to an Amp promise. |
|
||||
| `array` | Yielding an array of promises combines them implicitly using `Amp\all`. An array with elements not being promises will result in an `Amp\InvalidYieldError`. |
|
||||
|
||||
## Helpers
|
||||
|
||||
@ -293,18 +250,10 @@ Takes a `Promise` as first and timeout in milliseconds as second parameter. Retu
|
||||
|
||||
Transforms a `callable` given as first argument into a coroutine function.
|
||||
|
||||
### `resolve()`
|
||||
|
||||
Resolves a `Generator` coroutine into a promise. It accepts the `Generator` or a `callable` returning a `Generator` as first and only argument.
|
||||
|
||||
Upon resolution the `Generator` return value is used to succeed the promised result. If an error occurs during coroutine resolution the returned promise fails.
|
||||
|
||||
A `Generator` coroutine executes the `Generator` until a `Promise` is yielded. It waits for the promise to complete and resumes the `Generator` execution with the resolution value of the yielded promise or throws an exception into the `Generator` in case the yielded promise failed.
|
||||
|
||||
### `wait()`
|
||||
|
||||
Block script execution indefinitely until the specified `Promise` resolves. The `Promise` is passed as the first and only argument.
|
||||
|
||||
In the event of promise failure this method will throw the exception responsible for the failure. Otherwise the promise's resolved value is returned.
|
||||
|
||||
This function should only be used outside of `Amp\run` when mixing synchronous and asynchronous code.
|
||||
This function should only be used outside of `Loop::run` when mixing synchronous and asynchronous code.
|
Loading…
Reference in New Issue
Block a user