-
-
Save loren138/b0901c6cc3462a4f046edf63ca1c7dc1 to your computer and use it in GitHub Desktop.
Example of how to create a retry subscriber for Guzzle 6
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
<?php | |
use GuzzleHttp\Client; | |
use GuzzleHttp\Exception\ConnectException; | |
use GuzzleHttp\Exception\RequestException; | |
use GuzzleHttp\Handler\CurlHandler; | |
use GuzzleHttp\HandlerStack; | |
use GuzzleHttp\Psr7\Request as Psr7Request; | |
use GuzzleHttp\Psr7\Response as Psr7Response; | |
use Psr\Log\LoggerInterface; | |
const MAX_RETRIES = 2; | |
require_once __DIR__ . '/../vendor/autoload.php'; | |
/** | |
* @param LoggerInterface $logger | |
* @return Client | |
*/ | |
function createHttpClient(LoggerInterface $logger) | |
{ | |
$stack = HandlerStack::create(new CurlHandler()); | |
$stack->push(\GuzzleHttp\Middleware::retry(createRetryHandler($logger), retryDelay())); | |
$client = new Client([ | |
'handler' => $stack, | |
]); | |
return $client; | |
} | |
public function retryDelay() | |
{ | |
return function ($numberOfRetries) { | |
return 250 * $numberOfRetries; // .25 second delay growing linearly per retry | |
}; | |
} | |
function createRetryHandler(LoggerInterface $logger) | |
{ | |
return function ( | |
$retries, | |
Psr7Request $request, | |
Psr7Response $response = null, | |
RequestException $exception = null | |
) use ($logger) { | |
if ($retries >= MAX_RETRIES) { | |
return false; | |
} | |
if (!(isServerError($response) || isConnectError($exception))) { | |
return false; | |
} | |
$logger->warning(sprintf( | |
'Retrying %s %s %s/%s, %s', | |
$request->getMethod(), | |
$request->getUri(), | |
$retries + 1, | |
MAX_RETRIES, | |
$response ? 'status code: ' . $response->getStatusCode() : $exception->getMessage() | |
), [$request->getHeader('Host')[0]]); | |
return true; | |
}; | |
} | |
/** | |
* @param Psr7Response $response | |
* @return bool | |
*/ | |
function isServerError(Psr7Response $response = null) | |
{ | |
return $response && $response->getStatusCode() >= 500; | |
} | |
/** | |
* @param RequestException $exception | |
* @return bool | |
*/ | |
function isConnectError(RequestException $exception = null) | |
{ | |
return $exception instanceof ConnectException; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment