EcsCredentialProvider.php 7.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255
  1. <?php
  2. namespace Aws\Credentials;
  3. use Aws\Exception\CredentialsException;
  4. use GuzzleHttp\Exception\ConnectException;
  5. use GuzzleHttp\Exception\GuzzleException;
  6. use GuzzleHttp\Psr7\Request;
  7. use GuzzleHttp\Promise;
  8. use GuzzleHttp\Promise\PromiseInterface;
  9. use Psr\Http\Message\ResponseInterface;
  10. /**
  11. * Credential provider that fetches container credentials with GET request.
  12. * container environment variables are used in constructing request URI.
  13. */
  14. class EcsCredentialProvider
  15. {
  16. const SERVER_URI = 'http://169.254.170.2';
  17. const ENV_URI = "AWS_CONTAINER_CREDENTIALS_RELATIVE_URI";
  18. const ENV_FULL_URI = "AWS_CONTAINER_CREDENTIALS_FULL_URI";
  19. const ENV_AUTH_TOKEN = "AWS_CONTAINER_AUTHORIZATION_TOKEN";
  20. const ENV_AUTH_TOKEN_FILE = "AWS_CONTAINER_AUTHORIZATION_TOKEN_FILE";
  21. const ENV_TIMEOUT = 'AWS_METADATA_SERVICE_TIMEOUT';
  22. const EKS_SERVER_HOST_IPV4 = '169.254.170.23';
  23. const EKS_SERVER_HOST_IPV6 = 'fd00:ec2::23';
  24. const ENV_RETRIES = 'AWS_METADATA_SERVICE_NUM_ATTEMPTS';
  25. const DEFAULT_ENV_TIMEOUT = 1.0;
  26. const DEFAULT_ENV_RETRIES = 3;
  27. /** @var callable */
  28. private $client;
  29. /** @var float|mixed */
  30. private $timeout;
  31. /** @var int */
  32. private $retries;
  33. /** @var int */
  34. private $attempts;
  35. /**
  36. * The constructor accepts following options:
  37. * - timeout: (optional) Connection timeout, in seconds, default 1.0
  38. * - retries: Optional number of retries to be attempted, default 3.
  39. * - client: An EcsClient to make request from
  40. *
  41. * @param array $config Configuration options
  42. */
  43. public function __construct(array $config = [])
  44. {
  45. $this->timeout = (float) isset($config['timeout'])
  46. ? $config['timeout']
  47. : (getenv(self::ENV_TIMEOUT) ?: self::DEFAULT_ENV_TIMEOUT);
  48. $this->retries = (int) isset($config['retries'])
  49. ? $config['retries']
  50. : ((int) getenv(self::ENV_RETRIES) ?: self::DEFAULT_ENV_RETRIES);
  51. $this->client = $config['client'] ?? \Aws\default_http_handler();
  52. }
  53. /**
  54. * Load container credentials.
  55. *
  56. * @return PromiseInterface
  57. * @throws GuzzleException
  58. */
  59. public function __invoke()
  60. {
  61. $this->attempts = 0;
  62. $uri = $this->getEcsUri();
  63. if ($this->isCompatibleUri($uri)) {
  64. return Promise\Coroutine::of(function () {
  65. $client = $this->client;
  66. $request = new Request('GET', $this->getEcsUri());
  67. $headers = $this->getHeadersForAuthToken();
  68. $credentials = null;
  69. while ($credentials === null) {
  70. $credentials = (yield $client(
  71. $request,
  72. [
  73. 'timeout' => $this->timeout,
  74. 'proxy' => '',
  75. 'headers' => $headers,
  76. ]
  77. )->then(function (ResponseInterface $response) {
  78. $result = $this->decodeResult((string)$response->getBody());
  79. return new Credentials(
  80. $result['AccessKeyId'],
  81. $result['SecretAccessKey'],
  82. $result['Token'],
  83. strtotime($result['Expiration'])
  84. );
  85. })->otherwise(function ($reason) {
  86. $reason = is_array($reason) ? $reason['exception'] : $reason;
  87. $isRetryable = $reason instanceof ConnectException;
  88. if ($isRetryable && ($this->attempts < $this->retries)) {
  89. sleep((int)pow(1.2, $this->attempts));
  90. } else {
  91. $msg = $reason->getMessage();
  92. throw new CredentialsException(
  93. sprintf('Error retrieving credentials from container metadata after attempt %d/%d (%s)', $this->attempts, $this->retries, $msg)
  94. );
  95. }
  96. }));
  97. $this->attempts++;
  98. }
  99. yield $credentials;
  100. });
  101. }
  102. throw new CredentialsException("Uri '{$uri}' contains an unsupported host.");
  103. }
  104. /**
  105. * Returns the number of attempts that have been done.
  106. *
  107. * @return int
  108. */
  109. public function getAttempts(): int
  110. {
  111. return $this->attempts;
  112. }
  113. /**
  114. * Retrieves authorization token.
  115. *
  116. * @return array|false|string
  117. */
  118. private function getEcsAuthToken()
  119. {
  120. if (!empty($path = getenv(self::ENV_AUTH_TOKEN_FILE))) {
  121. $token = @file_get_contents($path);
  122. if (false === $token) {
  123. clearstatcache(true, dirname($path) . DIRECTORY_SEPARATOR . @readlink($path));
  124. clearstatcache(true, dirname($path) . DIRECTORY_SEPARATOR . dirname(@readlink($path)));
  125. clearstatcache(true, $path);
  126. }
  127. if (!is_readable($path)) {
  128. throw new CredentialsException("Failed to read authorization token from '{$path}': no such file or directory.");
  129. }
  130. $token = @file_get_contents($path);
  131. if (empty($token)) {
  132. throw new CredentialsException("Invalid authorization token read from `$path`. Token file is empty!");
  133. }
  134. return $token;
  135. }
  136. return getenv(self::ENV_AUTH_TOKEN);
  137. }
  138. /**
  139. * Provides headers for credential metadata request.
  140. *
  141. * @return array|array[]|string[]
  142. */
  143. private function getHeadersForAuthToken()
  144. {
  145. $authToken = self::getEcsAuthToken();
  146. $headers = [];
  147. if (!empty($authToken))
  148. $headers = ['Authorization' => $authToken];
  149. return $headers;
  150. }
  151. /** @deprecated */
  152. public function setHeaderForAuthToken()
  153. {
  154. $authToken = self::getEcsAuthToken();
  155. $headers = [];
  156. if (!empty($authToken))
  157. $headers = ['Authorization' => $authToken];
  158. return $headers;
  159. }
  160. /**
  161. * Fetch container metadata URI from container environment variable.
  162. *
  163. * @return string Returns container metadata URI
  164. */
  165. private function getEcsUri()
  166. {
  167. $credsUri = getenv(self::ENV_URI);
  168. if ($credsUri === false) {
  169. $credsUri = $_SERVER[self::ENV_URI] ?? '';
  170. }
  171. if (empty($credsUri)){
  172. $credFullUri = getenv(self::ENV_FULL_URI);
  173. if ($credFullUri === false){
  174. $credFullUri = $_SERVER[self::ENV_FULL_URI] ?? '';
  175. }
  176. if (!empty($credFullUri))
  177. return $credFullUri;
  178. }
  179. return self::SERVER_URI . $credsUri;
  180. }
  181. private function decodeResult($response)
  182. {
  183. $result = json_decode($response, true);
  184. if (!isset($result['AccessKeyId'])) {
  185. throw new CredentialsException('Unexpected container metadata credentials value');
  186. }
  187. return $result;
  188. }
  189. /**
  190. * Determines whether or not a given request URI is a valid
  191. * container credential request URI.
  192. *
  193. * @param $uri
  194. *
  195. * @return bool
  196. */
  197. private function isCompatibleUri($uri)
  198. {
  199. $parsed = parse_url($uri);
  200. if ($parsed['scheme'] !== 'https') {
  201. $host = trim($parsed['host'], '[]');
  202. $ecsHost = parse_url(self::SERVER_URI)['host'];
  203. $eksHost = self::EKS_SERVER_HOST_IPV4;
  204. if ($host !== $ecsHost
  205. && $host !== $eksHost
  206. && $host !== self::EKS_SERVER_HOST_IPV6
  207. && !CredentialsUtils::isLoopBackAddress(gethostbyname($host))
  208. ) {
  209. return false;
  210. }
  211. }
  212. return true;
  213. }
  214. }