RetryMiddlewareV2.php 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377
  1. <?php
  2. namespace Aws;
  3. use Aws\Exception\AwsException;
  4. use Aws\Retry\ConfigurationInterface;
  5. use Aws\Retry\QuotaManager;
  6. use Aws\Retry\RateLimiter;
  7. use Aws\Retry\RetryHelperTrait;
  8. use GuzzleHttp\Exception\RequestException;
  9. use GuzzleHttp\Promise;
  10. use Psr\Http\Message\RequestInterface;
  11. /**
  12. * Middleware that retries failures. V2 implementation that supports 'standard'
  13. * and 'adaptive' modes.
  14. *
  15. * @internal
  16. */
  17. class RetryMiddlewareV2
  18. {
  19. use RetryHelperTrait;
  20. private static $standardThrottlingErrors = [
  21. 'Throttling' => true,
  22. 'ThrottlingException' => true,
  23. 'ThrottledException' => true,
  24. 'RequestThrottledException' => true,
  25. 'TooManyRequestsException' => true,
  26. 'ProvisionedThroughputExceededException' => true,
  27. 'TransactionInProgressException' => true,
  28. 'RequestLimitExceeded' => true,
  29. 'BandwidthLimitExceeded' => true,
  30. 'LimitExceededException' => true,
  31. 'RequestThrottled' => true,
  32. 'SlowDown' => true,
  33. 'PriorRequestNotComplete' => true,
  34. 'EC2ThrottledException' => true,
  35. ];
  36. private static $standardTransientErrors = [
  37. 'RequestTimeout' => true,
  38. 'RequestTimeoutException' => true,
  39. ];
  40. private static $standardTransientStatusCodes = [
  41. 500 => true,
  42. 502 => true,
  43. 503 => true,
  44. 504 => true,
  45. ];
  46. private $collectStats;
  47. private $decider;
  48. private $delayer;
  49. private $maxAttempts;
  50. private $maxBackoff;
  51. private $mode;
  52. private $nextHandler;
  53. private $options;
  54. private $quotaManager;
  55. private $rateLimiter;
  56. public static function wrap($config, $options)
  57. {
  58. return function (callable $handler) use (
  59. $config,
  60. $options
  61. ) {
  62. return new static(
  63. $config,
  64. $handler,
  65. $options
  66. );
  67. };
  68. }
  69. public static function createDefaultDecider(
  70. QuotaManager $quotaManager,
  71. $maxAttempts = 3,
  72. $options = []
  73. ) {
  74. $retryCurlErrors = [];
  75. if (extension_loaded('curl')) {
  76. $retryCurlErrors[CURLE_RECV_ERROR] = true;
  77. }
  78. return function(
  79. $attempts,
  80. CommandInterface $command,
  81. $result
  82. ) use ($options, $quotaManager, $retryCurlErrors, $maxAttempts) {
  83. // Release retry tokens back to quota on a successful result
  84. $quotaManager->releaseToQuota($result);
  85. // Allow command-level option to override this value
  86. // # of attempts = # of retries + 1
  87. $maxAttempts = (null !== $command['@retries'])
  88. ? $command['@retries'] + 1
  89. : $maxAttempts;
  90. $isRetryable = self::isRetryable(
  91. $result,
  92. $retryCurlErrors,
  93. $options
  94. );
  95. if ($isRetryable) {
  96. // Retrieve retry tokens and check if quota has been exceeded
  97. if (!$quotaManager->hasRetryQuota($result)) {
  98. return false;
  99. }
  100. if ($attempts >= $maxAttempts) {
  101. if (!empty($result) && $result instanceof AwsException) {
  102. $result->setMaxRetriesExceeded();
  103. }
  104. return false;
  105. }
  106. }
  107. return $isRetryable;
  108. };
  109. }
  110. public function __construct(
  111. ConfigurationInterface $config,
  112. callable $handler,
  113. $options = []
  114. ) {
  115. $this->options = $options;
  116. $this->maxAttempts = $config->getMaxAttempts();
  117. $this->mode = $config->getMode();
  118. $this->nextHandler = $handler;
  119. $this->quotaManager = new QuotaManager();
  120. $this->maxBackoff = isset($options['max_backoff'])
  121. ? $options['max_backoff']
  122. : 20000;
  123. $this->collectStats = isset($options['collect_stats'])
  124. ? (bool) $options['collect_stats']
  125. : false;
  126. $this->decider = isset($options['decider'])
  127. ? $options['decider']
  128. : self::createDefaultDecider(
  129. $this->quotaManager,
  130. $this->maxAttempts,
  131. $options
  132. );
  133. $this->delayer = isset($options['delayer'])
  134. ? $options['delayer']
  135. : function ($attempts) {
  136. return $this->exponentialDelayWithJitter($attempts);
  137. };
  138. if ($this->mode === 'adaptive') {
  139. $this->rateLimiter = isset($options['rate_limiter'])
  140. ? $options['rate_limiter']
  141. : new RateLimiter();
  142. }
  143. }
  144. public function __invoke(CommandInterface $cmd, RequestInterface $req)
  145. {
  146. $decider = $this->decider;
  147. $delayer = $this->delayer;
  148. $handler = $this->nextHandler;
  149. $attempts = 1;
  150. $monitoringEvents = [];
  151. $requestStats = [];
  152. $req = $this->addRetryHeader($req, 0, 0);
  153. $callback = function ($value) use (
  154. $handler,
  155. $cmd,
  156. $req,
  157. $decider,
  158. $delayer,
  159. &$attempts,
  160. &$requestStats,
  161. &$monitoringEvents,
  162. &$callback
  163. ) {
  164. if ($this->mode === 'adaptive') {
  165. $this->rateLimiter->updateSendingRate($this->isThrottlingError($value));
  166. }
  167. $this->updateHttpStats($value, $requestStats);
  168. if ($value instanceof MonitoringEventsInterface) {
  169. $reversedEvents = array_reverse($monitoringEvents);
  170. $monitoringEvents = array_merge($monitoringEvents, $value->getMonitoringEvents());
  171. foreach ($reversedEvents as $event) {
  172. $value->prependMonitoringEvent($event);
  173. }
  174. }
  175. if ($value instanceof \Exception || $value instanceof \Throwable) {
  176. if (!$decider($attempts, $cmd, $value)) {
  177. return Promise\Create::rejectionFor(
  178. $this->bindStatsToReturn($value, $requestStats)
  179. );
  180. }
  181. } elseif ($value instanceof ResultInterface
  182. && !$decider($attempts, $cmd, $value)
  183. ) {
  184. return $this->bindStatsToReturn($value, $requestStats);
  185. }
  186. $delayBy = $delayer($attempts++);
  187. $cmd['@http']['delay'] = $delayBy;
  188. if ($this->collectStats) {
  189. $this->updateStats($attempts - 1, $delayBy, $requestStats);
  190. }
  191. // Update retry header with retry count and delayBy
  192. $req = $this->addRetryHeader($req, $attempts - 1, $delayBy);
  193. // Get token from rate limiter, which will sleep if necessary
  194. if ($this->mode === 'adaptive') {
  195. $this->rateLimiter->getSendToken();
  196. }
  197. return $handler($cmd, $req)->then($callback, $callback);
  198. };
  199. // Get token from rate limiter, which will sleep if necessary
  200. if ($this->mode === 'adaptive') {
  201. $this->rateLimiter->getSendToken();
  202. }
  203. return $handler($cmd, $req)->then($callback, $callback);
  204. }
  205. /**
  206. * Amount of milliseconds to delay as a function of attempt number
  207. *
  208. * @param $attempts
  209. * @return mixed
  210. */
  211. public function exponentialDelayWithJitter($attempts)
  212. {
  213. $rand = mt_rand() / mt_getrandmax();
  214. return min(1000 * $rand * pow(2, $attempts) , $this->maxBackoff);
  215. }
  216. private static function isRetryable(
  217. $result,
  218. $retryCurlErrors,
  219. $options = []
  220. ) {
  221. $errorCodes = self::$standardThrottlingErrors + self::$standardTransientErrors;
  222. if (!empty($options['transient_error_codes'])
  223. && is_array($options['transient_error_codes'])
  224. ) {
  225. foreach($options['transient_error_codes'] as $code) {
  226. $errorCodes[$code] = true;
  227. }
  228. }
  229. if (!empty($options['throttling_error_codes'])
  230. && is_array($options['throttling_error_codes'])
  231. ) {
  232. foreach($options['throttling_error_codes'] as $code) {
  233. $errorCodes[$code] = true;
  234. }
  235. }
  236. $statusCodes = self::$standardTransientStatusCodes;
  237. if (!empty($options['status_codes'])
  238. && is_array($options['status_codes'])
  239. ) {
  240. foreach($options['status_codes'] as $code) {
  241. $statusCodes[$code] = true;
  242. }
  243. }
  244. if (!empty($options['curl_errors'])
  245. && is_array($options['curl_errors'])
  246. ) {
  247. foreach($options['curl_errors'] as $code) {
  248. $retryCurlErrors[$code] = true;
  249. }
  250. }
  251. if ($result instanceof \Exception || $result instanceof \Throwable) {
  252. $isError = true;
  253. } else {
  254. $isError = false;
  255. }
  256. if (!$isError) {
  257. if (!isset($result['@metadata']['statusCode'])) {
  258. return false;
  259. }
  260. return isset($statusCodes[$result['@metadata']['statusCode']]);
  261. }
  262. if (!($result instanceof AwsException)) {
  263. return false;
  264. }
  265. if ($result->isConnectionError()) {
  266. return true;
  267. }
  268. if (!empty($errorCodes[$result->getAwsErrorCode()])) {
  269. return true;
  270. }
  271. if (!empty($statusCodes[$result->getStatusCode()])) {
  272. return true;
  273. }
  274. if (count($retryCurlErrors)
  275. && ($previous = $result->getPrevious())
  276. && $previous instanceof RequestException
  277. ) {
  278. if (method_exists($previous, 'getHandlerContext')) {
  279. $context = $previous->getHandlerContext();
  280. return !empty($context['errno'])
  281. && isset($retryCurlErrors[$context['errno']]);
  282. }
  283. $message = $previous->getMessage();
  284. foreach (array_keys($retryCurlErrors) as $curlError) {
  285. if (strpos($message, 'cURL error ' . $curlError . ':') === 0) {
  286. return true;
  287. }
  288. }
  289. }
  290. // Check error shape for the retryable trait
  291. if (!empty($errorShape = $result->getAwsErrorShape())) {
  292. $definition = $errorShape->toArray();
  293. if (!empty($definition['retryable'])) {
  294. return true;
  295. }
  296. }
  297. return false;
  298. }
  299. private function isThrottlingError($result)
  300. {
  301. if ($result instanceof AwsException) {
  302. // Check pre-defined throttling errors
  303. $throttlingErrors = self::$standardThrottlingErrors;
  304. if (!empty($this->options['throttling_error_codes'])
  305. && is_array($this->options['throttling_error_codes'])
  306. ) {
  307. foreach($this->options['throttling_error_codes'] as $code) {
  308. $throttlingErrors[$code] = true;
  309. }
  310. }
  311. if (!empty($result->getAwsErrorCode())
  312. && !empty($throttlingErrors[$result->getAwsErrorCode()])
  313. ) {
  314. return true;
  315. }
  316. // Check error shape for the throttling trait
  317. if (!empty($errorShape = $result->getAwsErrorShape())) {
  318. $definition = $errorShape->toArray();
  319. if (!empty($definition['retryable']['throttling'])) {
  320. return true;
  321. }
  322. }
  323. }
  324. return false;
  325. }
  326. }