Middleware.php 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440
  1. <?php
  2. namespace Aws;
  3. use Aws\Api\Service;
  4. use Aws\Api\Validator;
  5. use Aws\Credentials\CredentialsInterface;
  6. use Aws\EndpointV2\EndpointProviderV2;
  7. use Aws\Exception\AwsException;
  8. use Aws\Signature\S3ExpressSignature;
  9. use Aws\Token\TokenAuthorization;
  10. use Aws\Token\TokenInterface;
  11. use GuzzleHttp\Promise;
  12. use GuzzleHttp\Psr7;
  13. use GuzzleHttp\Psr7\LazyOpenStream;
  14. use Psr\Http\Message\RequestInterface;
  15. final class Middleware
  16. {
  17. /**
  18. * Middleware used to allow a command parameter (e.g., "SourceFile") to
  19. * be used to specify the source of data for an upload operation.
  20. *
  21. * @param Service $api
  22. * @param string $bodyParameter
  23. * @param string $sourceParameter
  24. *
  25. * @return callable
  26. */
  27. public static function sourceFile(
  28. Service $api,
  29. $bodyParameter = 'Body',
  30. $sourceParameter = 'SourceFile'
  31. ) {
  32. return function (callable $handler) use (
  33. $api,
  34. $bodyParameter,
  35. $sourceParameter
  36. ) {
  37. return function (
  38. CommandInterface $command,
  39. RequestInterface $request = null)
  40. use (
  41. $handler,
  42. $api,
  43. $bodyParameter,
  44. $sourceParameter
  45. ) {
  46. $operation = $api->getOperation($command->getName());
  47. $source = $command[$sourceParameter];
  48. if ($source !== null
  49. && $operation->getInput()->hasMember($bodyParameter)
  50. ) {
  51. $command[$bodyParameter] = new LazyOpenStream($source, 'r');
  52. unset($command[$sourceParameter]);
  53. }
  54. return $handler($command, $request);
  55. };
  56. };
  57. }
  58. /**
  59. * Adds a middleware that uses client-side validation.
  60. *
  61. * @param Service $api API being accessed.
  62. *
  63. * @return callable
  64. */
  65. public static function validation(Service $api, Validator $validator = null)
  66. {
  67. $validator = $validator ?: new Validator();
  68. return function (callable $handler) use ($api, $validator) {
  69. return function (
  70. CommandInterface $command,
  71. RequestInterface $request = null
  72. ) use ($api, $validator, $handler) {
  73. if ($api->isModifiedModel()) {
  74. $api = new Service(
  75. $api->getDefinition(),
  76. $api->getProvider()
  77. );
  78. }
  79. $operation = $api->getOperation($command->getName());
  80. $validator->validate(
  81. $command->getName(),
  82. $operation->getInput(),
  83. $command->toArray()
  84. );
  85. return $handler($command, $request);
  86. };
  87. };
  88. }
  89. /**
  90. * Builds an HTTP request for a command.
  91. *
  92. * @param callable $serializer Function used to serialize a request for a
  93. * command.
  94. * @param EndpointProviderV2 | null $endpointProvider
  95. * @param array $providerArgs
  96. * @return callable
  97. */
  98. public static function requestBuilder($serializer)
  99. {
  100. return function (callable $handler) use ($serializer) {
  101. return function (CommandInterface $command, $endpoint = null) use ($serializer, $handler) {
  102. return $handler($command, $serializer($command, $endpoint));
  103. };
  104. };
  105. }
  106. /**
  107. * Creates a middleware that signs requests for a command.
  108. *
  109. * @param callable $credProvider Credentials provider function that
  110. * returns a promise that is resolved
  111. * with a CredentialsInterface object.
  112. * @param callable $signatureFunction Function that accepts a Command
  113. * object and returns a
  114. * SignatureInterface.
  115. *
  116. * @return callable
  117. */
  118. public static function signer(callable $credProvider, callable $signatureFunction, $tokenProvider = null, $config = [])
  119. {
  120. return function (callable $handler) use ($signatureFunction, $credProvider, $tokenProvider, $config) {
  121. return function (
  122. CommandInterface $command,
  123. RequestInterface $request
  124. ) use ($handler, $signatureFunction, $credProvider, $tokenProvider, $config) {
  125. $signer = $signatureFunction($command);
  126. if ($signer instanceof TokenAuthorization) {
  127. return $tokenProvider()->then(
  128. function (TokenInterface $token)
  129. use ($handler, $command, $signer, $request) {
  130. return $handler(
  131. $command,
  132. $signer->authorizeRequest($request, $token)
  133. );
  134. }
  135. );
  136. }
  137. if ($signer instanceof S3ExpressSignature) {
  138. $credentialPromise = $config['s3_express_identity_provider']($command);
  139. } else {
  140. $credentialPromise = $credProvider();
  141. }
  142. return $credentialPromise->then(
  143. function (CredentialsInterface $creds)
  144. use ($handler, $command, $signer, $request) {
  145. return $handler(
  146. $command,
  147. $signer->signRequest($request, $creds)
  148. );
  149. }
  150. );
  151. };
  152. };
  153. }
  154. /**
  155. * Creates a middleware that invokes a callback at a given step.
  156. *
  157. * The tap callback accepts a CommandInterface and RequestInterface as
  158. * arguments but is not expected to return a new value or proxy to
  159. * downstream middleware. It's simply a way to "tap" into the handler chain
  160. * to debug or get an intermediate value.
  161. *
  162. * @param callable $fn Tap function
  163. *
  164. * @return callable
  165. */
  166. public static function tap(callable $fn)
  167. {
  168. return function (callable $handler) use ($fn) {
  169. return function (
  170. CommandInterface $command,
  171. RequestInterface $request = null
  172. ) use ($handler, $fn) {
  173. $fn($command, $request);
  174. return $handler($command, $request);
  175. };
  176. };
  177. }
  178. /**
  179. * Middleware wrapper function that retries requests based on the boolean
  180. * result of invoking the provided "decider" function.
  181. *
  182. * If no delay function is provided, a simple implementation of exponential
  183. * backoff will be utilized.
  184. *
  185. * @param callable $decider Function that accepts the number of retries,
  186. * a request, [result], and [exception] and
  187. * returns true if the command is to be retried.
  188. * @param callable $delay Function that accepts the number of retries and
  189. * returns the number of milliseconds to delay.
  190. * @param bool $stats Whether to collect statistics on retries and the
  191. * associated delay.
  192. *
  193. * @return callable
  194. */
  195. public static function retry(
  196. callable $decider = null,
  197. callable $delay = null,
  198. $stats = false
  199. ) {
  200. $decider = $decider ?: RetryMiddleware::createDefaultDecider();
  201. $delay = $delay ?: [RetryMiddleware::class, 'exponentialDelay'];
  202. return function (callable $handler) use ($decider, $delay, $stats) {
  203. return new RetryMiddleware($decider, $delay, $handler, $stats);
  204. };
  205. }
  206. /**
  207. * Middleware wrapper function that adds an invocation id header to
  208. * requests, which is only applied after the build step.
  209. *
  210. * This is a uniquely generated UUID to identify initial and subsequent
  211. * retries as part of a complete request lifecycle.
  212. *
  213. * @return callable
  214. */
  215. public static function invocationId()
  216. {
  217. return function (callable $handler) {
  218. return function (
  219. CommandInterface $command,
  220. RequestInterface $request
  221. ) use ($handler){
  222. return $handler($command, $request->withHeader(
  223. 'aws-sdk-invocation-id',
  224. md5(uniqid(gethostname(), true))
  225. ));
  226. };
  227. };
  228. }
  229. /**
  230. * Middleware wrapper function that adds a Content-Type header to requests.
  231. * This is only done when the Content-Type has not already been set, and the
  232. * request body's URI is available. It then checks the file extension of the
  233. * URI to determine the mime-type.
  234. *
  235. * @param array $operations Operations that Content-Type should be added to.
  236. *
  237. * @return callable
  238. */
  239. public static function contentType(array $operations)
  240. {
  241. return function (callable $handler) use ($operations) {
  242. return function (
  243. CommandInterface $command,
  244. RequestInterface $request = null
  245. ) use ($handler, $operations) {
  246. if (!$request->hasHeader('Content-Type')
  247. && in_array($command->getName(), $operations, true)
  248. && ($uri = $request->getBody()->getMetadata('uri'))
  249. ) {
  250. $request = $request->withHeader(
  251. 'Content-Type',
  252. Psr7\MimeType::fromFilename($uri) ?: 'application/octet-stream'
  253. );
  254. }
  255. return $handler($command, $request);
  256. };
  257. };
  258. }
  259. /**
  260. * Middleware wrapper function that adds a trace id header to requests
  261. * from clients instantiated in supported Lambda runtime environments.
  262. *
  263. * The purpose for this header is to track and stop Lambda functions
  264. * from being recursively invoked due to misconfigured resources.
  265. *
  266. * @return callable
  267. */
  268. public static function recursionDetection()
  269. {
  270. return function (callable $handler) {
  271. return function (
  272. CommandInterface $command,
  273. RequestInterface $request
  274. ) use ($handler){
  275. $isLambda = getenv('AWS_LAMBDA_FUNCTION_NAME');
  276. $traceId = str_replace('\e', '\x1b', getenv('_X_AMZN_TRACE_ID'));
  277. if ($isLambda && $traceId) {
  278. if (!$request->hasHeader('X-Amzn-Trace-Id')) {
  279. $ignoreChars = ['=', ';', ':', '+', '&', '[', ']', '{', '}', '"', '\'', ','];
  280. $traceIdEncoded = rawurlencode(stripcslashes($traceId));
  281. foreach($ignoreChars as $char) {
  282. $encodedChar = rawurlencode($char);
  283. $traceIdEncoded = str_replace($encodedChar, $char, $traceIdEncoded);
  284. }
  285. return $handler($command, $request->withHeader(
  286. 'X-Amzn-Trace-Id',
  287. $traceIdEncoded
  288. ));
  289. }
  290. }
  291. return $handler($command, $request);
  292. };
  293. };
  294. }
  295. /**
  296. * Tracks command and request history using a history container.
  297. *
  298. * This is useful for testing.
  299. *
  300. * @param History $history History container to store entries.
  301. *
  302. * @return callable
  303. */
  304. public static function history(History $history)
  305. {
  306. return function (callable $handler) use ($history) {
  307. return function (
  308. CommandInterface $command,
  309. RequestInterface $request = null
  310. ) use ($handler, $history) {
  311. $ticket = $history->start($command, $request);
  312. return $handler($command, $request)
  313. ->then(
  314. function ($result) use ($history, $ticket) {
  315. $history->finish($ticket, $result);
  316. return $result;
  317. },
  318. function ($reason) use ($history, $ticket) {
  319. $history->finish($ticket, $reason);
  320. return Promise\Create::rejectionFor($reason);
  321. }
  322. );
  323. };
  324. };
  325. }
  326. /**
  327. * Creates a middleware that applies a map function to requests as they
  328. * pass through the middleware.
  329. *
  330. * @param callable $f Map function that accepts a RequestInterface and
  331. * returns a RequestInterface.
  332. *
  333. * @return callable
  334. */
  335. public static function mapRequest(callable $f)
  336. {
  337. return function (callable $handler) use ($f) {
  338. return function (
  339. CommandInterface $command,
  340. RequestInterface $request = null
  341. ) use ($handler, $f) {
  342. return $handler($command, $f($request));
  343. };
  344. };
  345. }
  346. /**
  347. * Creates a middleware that applies a map function to commands as they
  348. * pass through the middleware.
  349. *
  350. * @param callable $f Map function that accepts a command and returns a
  351. * command.
  352. *
  353. * @return callable
  354. */
  355. public static function mapCommand(callable $f)
  356. {
  357. return function (callable $handler) use ($f) {
  358. return function (
  359. CommandInterface $command,
  360. RequestInterface $request = null
  361. ) use ($handler, $f) {
  362. return $handler($f($command), $request);
  363. };
  364. };
  365. }
  366. /**
  367. * Creates a middleware that applies a map function to results.
  368. *
  369. * @param callable $f Map function that accepts an Aws\ResultInterface and
  370. * returns an Aws\ResultInterface.
  371. *
  372. * @return callable
  373. */
  374. public static function mapResult(callable $f)
  375. {
  376. return function (callable $handler) use ($f) {
  377. return function (
  378. CommandInterface $command,
  379. RequestInterface $request = null
  380. ) use ($handler, $f) {
  381. return $handler($command, $request)->then($f);
  382. };
  383. };
  384. }
  385. public static function timer()
  386. {
  387. return function (callable $handler) {
  388. return function (
  389. CommandInterface $command,
  390. RequestInterface $request = null
  391. ) use ($handler) {
  392. $start = microtime(true);
  393. return $handler($command, $request)
  394. ->then(
  395. function (ResultInterface $res) use ($start) {
  396. if (!isset($res['@metadata'])) {
  397. $res['@metadata'] = [];
  398. }
  399. if (!isset($res['@metadata']['transferStats'])) {
  400. $res['@metadata']['transferStats'] = [];
  401. }
  402. $res['@metadata']['transferStats']['total_time']
  403. = microtime(true) - $start;
  404. return $res;
  405. },
  406. function ($err) use ($start) {
  407. if ($err instanceof AwsException) {
  408. $err->setTransferInfo([
  409. 'total_time' => microtime(true) - $start,
  410. ] + $err->getTransferInfo());
  411. }
  412. return Promise\Create::rejectionFor($err);
  413. }
  414. );
  415. };
  416. };
  417. }
  418. }