LogFileReader.php 1.7 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455
  1. <?php
  2. namespace Aws\CloudTrail;
  3. use Aws\S3\S3Client;
  4. /**
  5. * This class provides an easy way to read log files generated by AWS
  6. * CloudTrail.
  7. *
  8. * CloudTrail log files contain data about your AWS API calls and are stored in
  9. * Amazon S3. The log files are gzipped and contain structured data in JSON
  10. * format. This class will automatically ungzip and decode the data, and return
  11. * the data as an array of log records
  12. */
  13. class LogFileReader
  14. {
  15. /** @var S3Client S3 client used to perform GetObject operations */
  16. private $s3Client;
  17. /**
  18. * @param S3Client $s3Client S3 client used to retrieve objects
  19. */
  20. public function __construct(S3Client $s3Client)
  21. {
  22. $this->s3Client = $s3Client;
  23. }
  24. /**
  25. * Downloads, unzips, and reads a CloudTrail log file from Amazon S3
  26. *
  27. * @param string $s3BucketName The bucket name of the log file in Amazon S3
  28. * @param string $logFileKey The key of the log file in Amazon S3
  29. *
  30. * @return array
  31. */
  32. public function read($s3BucketName, $logFileKey)
  33. {
  34. // Create a command for getting the log file object
  35. $command = $this->s3Client->getCommand('GetObject', [
  36. 'Bucket' => (string) $s3BucketName,
  37. 'Key' => (string) $logFileKey,
  38. 'ResponseContentEncoding' => 'x-gzip'
  39. ]);
  40. // Make sure gzip encoding header is sent and accepted in order to
  41. // inflate the response data.
  42. $command['@http']['headers']['Accept-Encoding'] = 'gzip';
  43. // Get the JSON response data and extract the log records
  44. $result = $this->s3Client->execute($command);
  45. $logData = json_decode($result['Body'], true);
  46. return isset($logData['Records']) ? $logData['Records'] : [];
  47. }
  48. }