Waiter.php 8.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266
  1. <?php
  2. namespace Aws;
  3. use Aws\Exception\AwsException;
  4. use GuzzleHttp\Promise\Coroutine;
  5. use GuzzleHttp\Promise\PromiseInterface;
  6. use GuzzleHttp\Promise\PromisorInterface;
  7. use GuzzleHttp\Promise\RejectedPromise;
  8. /**
  9. * "Waiters" are associated with an AWS resource (e.g., EC2 instance), and poll
  10. * that resource and until it is in a particular state.
  11. * The Waiter object produces a promise that is either a.) resolved once the
  12. * waiting conditions are met, or b.) rejected if the waiting conditions cannot
  13. * be met or has exceeded the number of allowed attempts at meeting the
  14. * conditions. You can use waiters in a blocking or non-blocking way, depending
  15. * on whether you call wait() on the promise.
  16. * The configuration for the waiter must include information about the operation
  17. * and the conditions for wait completion.
  18. */
  19. class Waiter implements PromisorInterface
  20. {
  21. /** @var AwsClientInterface Client used to execute each attempt. */
  22. private $client;
  23. /** @var string Name of the waiter. */
  24. private $name;
  25. /** @var array Params to use with each attempt operation. */
  26. private $args;
  27. /** @var array Waiter configuration. */
  28. private $config;
  29. /** @var array Default configuration options. */
  30. private static $defaults = ['initDelay' => 0, 'before' => null];
  31. /** @var array Required configuration options. */
  32. private static $required = [
  33. 'acceptors',
  34. 'delay',
  35. 'maxAttempts',
  36. 'operation',
  37. ];
  38. /**
  39. * The array of configuration options include:
  40. *
  41. * - acceptors: (array) Array of acceptor options
  42. * - delay: (int) Number of seconds to delay between attempts
  43. * - maxAttempts: (int) Maximum number of attempts before failing
  44. * - operation: (string) Name of the API operation to use for polling
  45. * - before: (callable) Invoked before attempts. Accepts command and tries.
  46. *
  47. * @param AwsClientInterface $client Client used to execute commands.
  48. * @param string $name Waiter name.
  49. * @param array $args Command arguments.
  50. * @param array $config Waiter config that overrides defaults.
  51. *
  52. * @throws \InvalidArgumentException if the configuration is incomplete.
  53. */
  54. public function __construct(
  55. AwsClientInterface $client,
  56. $name,
  57. array $args = [],
  58. array $config = []
  59. ) {
  60. $this->client = $client;
  61. $this->name = $name;
  62. $this->args = $args;
  63. // Prepare and validate config.
  64. $this->config = $config + self::$defaults;
  65. foreach (self::$required as $key) {
  66. if (!isset($this->config[$key])) {
  67. throw new \InvalidArgumentException(
  68. 'The provided waiter configuration was incomplete.'
  69. );
  70. }
  71. }
  72. if ($this->config['before'] && !is_callable($this->config['before'])) {
  73. throw new \InvalidArgumentException(
  74. 'The provided "before" callback is not callable.'
  75. );
  76. }
  77. }
  78. /**
  79. * @return Coroutine
  80. */
  81. public function promise(): PromiseInterface
  82. {
  83. return Coroutine::of(function () {
  84. $name = $this->config['operation'];
  85. for ($state = 'retry', $attempt = 1; $state === 'retry'; $attempt++) {
  86. // Execute the operation.
  87. $args = $this->getArgsForAttempt($attempt);
  88. $command = $this->client->getCommand($name, $args);
  89. try {
  90. if ($this->config['before']) {
  91. $this->config['before']($command, $attempt);
  92. }
  93. $result = (yield $this->client->executeAsync($command));
  94. } catch (AwsException $e) {
  95. $result = $e;
  96. }
  97. // Determine the waiter's state and what to do next.
  98. $state = $this->determineState($result);
  99. if ($state === 'success') {
  100. yield $command;
  101. } elseif ($state === 'failed') {
  102. $msg = "The {$this->name} waiter entered a failure state.";
  103. if ($result instanceof \Exception) {
  104. $msg .= ' Reason: ' . $result->getMessage();
  105. }
  106. yield new RejectedPromise(new \RuntimeException($msg));
  107. } elseif ($state === 'retry'
  108. && $attempt >= $this->config['maxAttempts']
  109. ) {
  110. $state = 'failed';
  111. yield new RejectedPromise(new \RuntimeException(
  112. "The {$this->name} waiter failed after attempt #{$attempt}."
  113. ));
  114. }
  115. }
  116. });
  117. }
  118. /**
  119. * Gets the operation arguments for the attempt, including the delay.
  120. *
  121. * @param $attempt Number of the current attempt.
  122. *
  123. * @return mixed integer
  124. */
  125. private function getArgsForAttempt($attempt)
  126. {
  127. $args = $this->args;
  128. // Determine the delay.
  129. $delay = ($attempt === 1)
  130. ? $this->config['initDelay']
  131. : $this->config['delay'];
  132. if (is_callable($delay)) {
  133. $delay = $delay($attempt);
  134. }
  135. // Set the delay. (Note: handlers except delay in milliseconds.)
  136. if (!isset($args['@http'])) {
  137. $args['@http'] = [];
  138. }
  139. $args['@http']['delay'] = $delay * 1000;
  140. return $args;
  141. }
  142. /**
  143. * Determines the state of the waiter attempt, based on the result of
  144. * polling the resource. A waiter can have the state of "success", "failed",
  145. * or "retry".
  146. *
  147. * @param mixed $result
  148. *
  149. * @return string Will be "success", "failed", or "retry"
  150. */
  151. private function determineState($result)
  152. {
  153. foreach ($this->config['acceptors'] as $acceptor) {
  154. $matcher = 'matches' . ucfirst($acceptor['matcher']);
  155. if ($this->{$matcher}($result, $acceptor)) {
  156. return $acceptor['state'];
  157. }
  158. }
  159. return $result instanceof \Exception ? 'failed' : 'retry';
  160. }
  161. /**
  162. * @param Result $result Result or exception.
  163. * @param array $acceptor Acceptor configuration being checked.
  164. *
  165. * @return bool
  166. */
  167. private function matchesPath($result, array $acceptor)
  168. {
  169. return !($result instanceof ResultInterface)
  170. ? false
  171. : $acceptor['expected'] == $result->search($acceptor['argument']);
  172. }
  173. /**
  174. * @param Result $result Result or exception.
  175. * @param array $acceptor Acceptor configuration being checked.
  176. *
  177. * @return bool
  178. */
  179. private function matchesPathAll($result, array $acceptor)
  180. {
  181. if (!($result instanceof ResultInterface)) {
  182. return false;
  183. }
  184. $actuals = $result->search($acceptor['argument']) ?: [];
  185. foreach ($actuals as $actual) {
  186. if ($actual != $acceptor['expected']) {
  187. return false;
  188. }
  189. }
  190. return true;
  191. }
  192. /**
  193. * @param Result $result Result or exception.
  194. * @param array $acceptor Acceptor configuration being checked.
  195. *
  196. * @return bool
  197. */
  198. private function matchesPathAny($result, array $acceptor)
  199. {
  200. if (!($result instanceof ResultInterface)) {
  201. return false;
  202. }
  203. $actuals = $result->search($acceptor['argument']) ?: [];
  204. return in_array($acceptor['expected'], $actuals);
  205. }
  206. /**
  207. * @param Result $result Result or exception.
  208. * @param array $acceptor Acceptor configuration being checked.
  209. *
  210. * @return bool
  211. */
  212. private function matchesStatus($result, array $acceptor)
  213. {
  214. if ($result instanceof ResultInterface) {
  215. return $acceptor['expected'] == $result['@metadata']['statusCode'];
  216. }
  217. if ($result instanceof AwsException && $response = $result->getResponse()) {
  218. return $acceptor['expected'] == $response->getStatusCode();
  219. }
  220. return false;
  221. }
  222. /**
  223. * @param Result $result Result or exception.
  224. * @param array $acceptor Acceptor configuration being checked.
  225. *
  226. * @return bool
  227. */
  228. private function matchesError($result, array $acceptor)
  229. {
  230. if ($result instanceof AwsException) {
  231. return $result->isConnectionError()
  232. || $result->getAwsErrorCode() == $acceptor['expected'];
  233. }
  234. return false;
  235. }
  236. }