InstanceProfileProvider.php 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466
  1. <?php
  2. namespace Aws\Credentials;
  3. use Aws\Configuration\ConfigurationResolver;
  4. use Aws\Exception\CredentialsException;
  5. use Aws\Exception\InvalidJsonException;
  6. use Aws\Sdk;
  7. use GuzzleHttp\Exception\TransferException;
  8. use GuzzleHttp\Promise;
  9. use GuzzleHttp\Psr7\Request;
  10. use GuzzleHttp\Promise\PromiseInterface;
  11. use Psr\Http\Message\ResponseInterface;
  12. /**
  13. * Credential provider that provides credentials from the EC2 metadata service.
  14. */
  15. class InstanceProfileProvider
  16. {
  17. const CRED_PATH = 'meta-data/iam/security-credentials/';
  18. const TOKEN_PATH = 'api/token';
  19. const ENV_DISABLE = 'AWS_EC2_METADATA_DISABLED';
  20. const ENV_TIMEOUT = 'AWS_METADATA_SERVICE_TIMEOUT';
  21. const ENV_RETRIES = 'AWS_METADATA_SERVICE_NUM_ATTEMPTS';
  22. const CFG_EC2_METADATA_V1_DISABLED = 'ec2_metadata_v1_disabled';
  23. const CFG_EC2_METADATA_SERVICE_ENDPOINT = 'ec2_metadata_service_endpoint';
  24. const CFG_EC2_METADATA_SERVICE_ENDPOINT_MODE = 'ec2_metadata_service_endpoint_mode';
  25. const DEFAULT_TIMEOUT = 1.0;
  26. const DEFAULT_RETRIES = 3;
  27. const DEFAULT_TOKEN_TTL_SECONDS = 21600;
  28. const DEFAULT_AWS_EC2_METADATA_V1_DISABLED = false;
  29. const ENDPOINT_MODE_IPv4 = 'IPv4';
  30. const ENDPOINT_MODE_IPv6 = 'IPv6';
  31. const DEFAULT_METADATA_SERVICE_IPv4_ENDPOINT = 'http://169.254.169.254';
  32. const DEFAULT_METADATA_SERVICE_IPv6_ENDPOINT = 'http://[fd00:ec2::254]';
  33. /** @var string */
  34. private $profile;
  35. /** @var callable */
  36. private $client;
  37. /** @var int */
  38. private $retries;
  39. /** @var int */
  40. private $attempts;
  41. /** @var float|mixed */
  42. private $timeout;
  43. /** @var bool */
  44. private $secureMode = true;
  45. /** @var bool|null */
  46. private $ec2MetadataV1Disabled;
  47. /** @var string */
  48. private $endpoint;
  49. /** @var string */
  50. private $endpointMode;
  51. /** @var array */
  52. private $config;
  53. /**
  54. * The constructor accepts the following options:
  55. *
  56. * - timeout: Connection timeout, in seconds.
  57. * - profile: Optional EC2 profile name, if known.
  58. * - retries: Optional number of retries to be attempted.
  59. * - ec2_metadata_v1_disabled: Optional for disabling the fallback to IMDSv1.
  60. * - endpoint: Optional for overriding the default endpoint to be used for fetching credentials.
  61. * The value must contain a valid URI scheme. If the URI scheme is not https, it must
  62. * resolve to a loopback address.
  63. * - endpoint_mode: Optional for overriding the default endpoint mode (IPv4|IPv6) to be used for
  64. * resolving the default endpoint.
  65. * - use_aws_shared_config_files: Decides whether the shared config file should be considered when
  66. * using the ConfigurationResolver::resolve method.
  67. *
  68. * @param array $config Configuration options.
  69. */
  70. public function __construct(array $config = [])
  71. {
  72. $this->timeout = (float) getenv(self::ENV_TIMEOUT) ?: ($config['timeout'] ?? self::DEFAULT_TIMEOUT);
  73. $this->profile = $config['profile'] ?? null;
  74. $this->retries = (int) getenv(self::ENV_RETRIES) ?: ($config['retries'] ?? self::DEFAULT_RETRIES);
  75. $this->client = $config['client'] ?? \Aws\default_http_handler();
  76. $this->ec2MetadataV1Disabled = $config[self::CFG_EC2_METADATA_V1_DISABLED] ?? null;
  77. $this->endpoint = $config[self::CFG_EC2_METADATA_SERVICE_ENDPOINT] ?? null;
  78. if (!empty($this->endpoint) && !$this->isValidEndpoint($this->endpoint)) {
  79. throw new \InvalidArgumentException('The provided URI "' . $this->endpoint . '" is invalid, or contains an unsupported host');
  80. }
  81. $this->endpointMode = $config[self::CFG_EC2_METADATA_SERVICE_ENDPOINT_MODE] ?? null;
  82. $this->config = $config;
  83. }
  84. /**
  85. * Loads instance profile credentials.
  86. *
  87. * @return PromiseInterface
  88. */
  89. public function __invoke($previousCredentials = null)
  90. {
  91. $this->attempts = 0;
  92. return Promise\Coroutine::of(function () use ($previousCredentials) {
  93. // Retrieve token or switch out of secure mode
  94. $token = null;
  95. while ($this->secureMode && is_null($token)) {
  96. try {
  97. $token = (yield $this->request(
  98. self::TOKEN_PATH,
  99. 'PUT',
  100. [
  101. 'x-aws-ec2-metadata-token-ttl-seconds' => self::DEFAULT_TOKEN_TTL_SECONDS
  102. ]
  103. ));
  104. } catch (TransferException $e) {
  105. if ($this->getExceptionStatusCode($e) === 500
  106. && $previousCredentials instanceof Credentials
  107. ) {
  108. goto generateCredentials;
  109. } elseif ($this->shouldFallbackToIMDSv1()
  110. && (!method_exists($e, 'getResponse')
  111. || empty($e->getResponse())
  112. || !in_array(
  113. $e->getResponse()->getStatusCode(),
  114. [400, 500, 502, 503, 504]
  115. ))
  116. ) {
  117. $this->secureMode = false;
  118. } else {
  119. $this->handleRetryableException(
  120. $e,
  121. [],
  122. $this->createErrorMessage(
  123. 'Error retrieving metadata token'
  124. )
  125. );
  126. }
  127. }
  128. $this->attempts++;
  129. }
  130. // Set token header only for secure mode
  131. $headers = [];
  132. if ($this->secureMode) {
  133. $headers = [
  134. 'x-aws-ec2-metadata-token' => $token
  135. ];
  136. }
  137. // Retrieve profile
  138. while (!$this->profile) {
  139. try {
  140. $this->profile = (yield $this->request(
  141. self::CRED_PATH,
  142. 'GET',
  143. $headers
  144. ));
  145. } catch (TransferException $e) {
  146. // 401 indicates insecure flow not supported, switch to
  147. // attempting secure mode for subsequent calls
  148. if (!empty($this->getExceptionStatusCode($e))
  149. && $this->getExceptionStatusCode($e) === 401
  150. ) {
  151. $this->secureMode = true;
  152. }
  153. $this->handleRetryableException(
  154. $e,
  155. [ 'blacklist' => [401, 403] ],
  156. $this->createErrorMessage($e->getMessage())
  157. );
  158. }
  159. $this->attempts++;
  160. }
  161. // Retrieve credentials
  162. $result = null;
  163. while ($result == null) {
  164. try {
  165. $json = (yield $this->request(
  166. self::CRED_PATH . $this->profile,
  167. 'GET',
  168. $headers
  169. ));
  170. $result = $this->decodeResult($json);
  171. } catch (InvalidJsonException $e) {
  172. $this->handleRetryableException(
  173. $e,
  174. [ 'blacklist' => [401, 403] ],
  175. $this->createErrorMessage(
  176. 'Invalid JSON response, retries exhausted'
  177. )
  178. );
  179. } catch (TransferException $e) {
  180. // 401 indicates insecure flow not supported, switch to
  181. // attempting secure mode for subsequent calls
  182. if (($this->getExceptionStatusCode($e) === 500
  183. || strpos($e->getMessage(), "cURL error 28") !== false)
  184. && $previousCredentials instanceof Credentials
  185. ) {
  186. goto generateCredentials;
  187. } elseif (!empty($this->getExceptionStatusCode($e))
  188. && $this->getExceptionStatusCode($e) === 401
  189. ) {
  190. $this->secureMode = true;
  191. }
  192. $this->handleRetryableException(
  193. $e,
  194. [ 'blacklist' => [401, 403] ],
  195. $this->createErrorMessage($e->getMessage())
  196. );
  197. }
  198. $this->attempts++;
  199. }
  200. generateCredentials:
  201. if (!isset($result)) {
  202. $credentials = $previousCredentials;
  203. } else {
  204. $credentials = new Credentials(
  205. $result['AccessKeyId'],
  206. $result['SecretAccessKey'],
  207. $result['Token'],
  208. strtotime($result['Expiration'])
  209. );
  210. }
  211. if ($credentials->isExpired()) {
  212. $credentials->extendExpiration();
  213. }
  214. yield $credentials;
  215. });
  216. }
  217. /**
  218. * @param string $url
  219. * @param string $method
  220. * @param array $headers
  221. * @return PromiseInterface Returns a promise that is fulfilled with the
  222. * body of the response as a string.
  223. */
  224. private function request($url, $method = 'GET', $headers = [])
  225. {
  226. $disabled = getenv(self::ENV_DISABLE) ?: false;
  227. if (strcasecmp($disabled, 'true') === 0) {
  228. throw new CredentialsException(
  229. $this->createErrorMessage('EC2 metadata service access disabled')
  230. );
  231. }
  232. $fn = $this->client;
  233. $request = new Request($method, $this->resolveEndpoint() . $url);
  234. $userAgent = 'aws-sdk-php/' . Sdk::VERSION;
  235. if (defined('HHVM_VERSION')) {
  236. $userAgent .= ' HHVM/' . HHVM_VERSION;
  237. }
  238. $userAgent .= ' ' . \Aws\default_user_agent();
  239. $request = $request->withHeader('User-Agent', $userAgent);
  240. foreach ($headers as $key => $value) {
  241. $request = $request->withHeader($key, $value);
  242. }
  243. return $fn($request, ['timeout' => $this->timeout])
  244. ->then(function (ResponseInterface $response) {
  245. return (string) $response->getBody();
  246. })->otherwise(function (array $reason) {
  247. $reason = $reason['exception'];
  248. if ($reason instanceof TransferException) {
  249. throw $reason;
  250. }
  251. $msg = $reason->getMessage();
  252. throw new CredentialsException(
  253. $this->createErrorMessage($msg)
  254. );
  255. });
  256. }
  257. private function handleRetryableException(
  258. \Exception $e,
  259. $retryOptions,
  260. $message
  261. ) {
  262. $isRetryable = true;
  263. if (!empty($status = $this->getExceptionStatusCode($e))
  264. && isset($retryOptions['blacklist'])
  265. && in_array($status, $retryOptions['blacklist'])
  266. ) {
  267. $isRetryable = false;
  268. }
  269. if ($isRetryable && $this->attempts < $this->retries) {
  270. sleep((int) pow(1.2, $this->attempts));
  271. } else {
  272. throw new CredentialsException($message);
  273. }
  274. }
  275. private function getExceptionStatusCode(\Exception $e)
  276. {
  277. if (method_exists($e, 'getResponse')
  278. && !empty($e->getResponse())
  279. ) {
  280. return $e->getResponse()->getStatusCode();
  281. }
  282. return null;
  283. }
  284. private function createErrorMessage($previous)
  285. {
  286. return "Error retrieving credentials from the instance profile "
  287. . "metadata service. ({$previous})";
  288. }
  289. private function decodeResult($response)
  290. {
  291. $result = json_decode($response, true);
  292. if (json_last_error() > 0) {
  293. throw new InvalidJsonException();
  294. }
  295. if ($result['Code'] !== 'Success') {
  296. throw new CredentialsException('Unexpected instance profile '
  297. . 'response code: ' . $result['Code']);
  298. }
  299. return $result;
  300. }
  301. /**
  302. * This functions checks for whether we should fall back to IMDSv1 or not.
  303. * If $ec2MetadataV1Disabled is null then we will try to resolve this value from
  304. * the following sources:
  305. * - From environment: "AWS_EC2_METADATA_V1_DISABLED".
  306. * - From config file: aws_ec2_metadata_v1_disabled
  307. * - Defaulted to false
  308. *
  309. * @return bool
  310. */
  311. private function shouldFallbackToIMDSv1(): bool
  312. {
  313. $isImdsV1Disabled = \Aws\boolean_value($this->ec2MetadataV1Disabled)
  314. ?? \Aws\boolean_value(
  315. ConfigurationResolver::resolve(
  316. self::CFG_EC2_METADATA_V1_DISABLED,
  317. self::DEFAULT_AWS_EC2_METADATA_V1_DISABLED,
  318. 'bool',
  319. $this->config
  320. )
  321. )
  322. ?? self::DEFAULT_AWS_EC2_METADATA_V1_DISABLED;
  323. return !$isImdsV1Disabled;
  324. }
  325. /**
  326. * Resolves the metadata service endpoint. If the endpoint is not provided
  327. * or configured then, the default endpoint, based on the endpoint mode resolved,
  328. * will be used.
  329. * Example: if endpoint_mode is resolved to be IPv4 and the endpoint is not provided
  330. * then, the endpoint to be used will be http://169.254.169.254.
  331. *
  332. * @return string
  333. */
  334. private function resolveEndpoint(): string
  335. {
  336. $endpoint = $this->endpoint;
  337. if (is_null($endpoint)) {
  338. $endpoint = ConfigurationResolver::resolve(
  339. self::CFG_EC2_METADATA_SERVICE_ENDPOINT,
  340. $this->getDefaultEndpoint(),
  341. 'string',
  342. $this->config
  343. );
  344. }
  345. if (!$this->isValidEndpoint($endpoint)) {
  346. throw new CredentialsException('The provided URI "' . $endpoint . '" is invalid, or contains an unsupported host');
  347. }
  348. if (substr($endpoint, strlen($endpoint) - 1) !== '/') {
  349. $endpoint = $endpoint . '/';
  350. }
  351. return $endpoint . 'latest/';
  352. }
  353. /**
  354. * Resolves the default metadata service endpoint.
  355. * If endpoint_mode is resolved as IPv4 then:
  356. * - endpoint = http://169.254.169.254
  357. * If endpoint_mode is resolved as IPv6 then:
  358. * - endpoint = http://[fd00:ec2::254]
  359. *
  360. * @return string
  361. */
  362. private function getDefaultEndpoint(): string
  363. {
  364. $endpointMode = $this->resolveEndpointMode();
  365. switch ($endpointMode) {
  366. case self::ENDPOINT_MODE_IPv4:
  367. return self::DEFAULT_METADATA_SERVICE_IPv4_ENDPOINT;
  368. case self::ENDPOINT_MODE_IPv6:
  369. return self::DEFAULT_METADATA_SERVICE_IPv6_ENDPOINT;
  370. }
  371. throw new CredentialsException("Invalid endpoint mode '$endpointMode' resolved");
  372. }
  373. /**
  374. * Resolves the endpoint mode to be considered when resolving the default
  375. * metadata service endpoint.
  376. *
  377. * @return string
  378. */
  379. private function resolveEndpointMode(): string
  380. {
  381. $endpointMode = $this->endpointMode;
  382. if (is_null($endpointMode)) {
  383. $endpointMode = ConfigurationResolver::resolve(
  384. self::CFG_EC2_METADATA_SERVICE_ENDPOINT_MODE,
  385. self::ENDPOINT_MODE_IPv4,
  386. 'string',
  387. $this->config
  388. );
  389. }
  390. return $endpointMode;
  391. }
  392. /**
  393. * This method checks for whether a provide URI is valid.
  394. * @param string $uri this parameter is the uri to do the validation against to.
  395. *
  396. * @return string|null
  397. */
  398. private function isValidEndpoint(
  399. $uri
  400. ): bool
  401. {
  402. // We make sure first the provided uri is a valid URL
  403. $isValidURL = filter_var($uri, FILTER_VALIDATE_URL) !== false;
  404. if (!$isValidURL) {
  405. return false;
  406. }
  407. // We make sure that if is a no secure host then it must be a loop back address.
  408. $parsedUri = parse_url($uri);
  409. if ($parsedUri['scheme'] !== 'https') {
  410. $host = trim($parsedUri['host'], '[]');
  411. return CredentialsUtils::isLoopBackAddress(gethostbyname($host))
  412. || in_array(
  413. $uri,
  414. [self::DEFAULT_METADATA_SERVICE_IPv4_ENDPOINT, self::DEFAULT_METADATA_SERVICE_IPv6_ENDPOINT]
  415. );
  416. }
  417. return true;
  418. }
  419. }