PhpHash.php 1.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081
  1. <?php
  2. namespace Aws;
  3. /**
  4. * Incremental hashing using PHP's hash functions.
  5. */
  6. class PhpHash implements HashInterface
  7. {
  8. /** @var resource|\HashContext */
  9. private $context;
  10. /** @var string */
  11. private $algo;
  12. /** @var array */
  13. private $options;
  14. /** @var string */
  15. private $hash;
  16. /**
  17. * @param string $algo Hashing algorithm. One of PHP's hash_algos()
  18. * return values (e.g. md5, sha1, etc...).
  19. * @param array $options Associative array of hashing options:
  20. * - key: Secret key used with the hashing algorithm.
  21. * - base64: Set to true to base64 encode the value when complete.
  22. */
  23. public function __construct($algo, array $options = [])
  24. {
  25. $this->algo = $algo;
  26. $this->options = $options;
  27. }
  28. public function update($data)
  29. {
  30. if ($this->hash !== null) {
  31. $this->reset();
  32. }
  33. hash_update($this->getContext(), $data);
  34. }
  35. public function complete()
  36. {
  37. if ($this->hash) {
  38. return $this->hash;
  39. }
  40. $this->hash = hash_final($this->getContext(), true);
  41. if (isset($this->options['base64']) && $this->options['base64']) {
  42. $this->hash = base64_encode($this->hash);
  43. }
  44. return $this->hash;
  45. }
  46. public function reset()
  47. {
  48. $this->context = $this->hash = null;
  49. }
  50. /**
  51. * Get a hash context or create one if needed
  52. *
  53. * @return resource|\HashContext
  54. */
  55. private function getContext()
  56. {
  57. if (!$this->context) {
  58. $key = isset($this->options['key']) ? $this->options['key'] : '';
  59. $this->context = hash_init(
  60. $this->algo,
  61. $key ? HASH_HMAC : 0,
  62. $key
  63. );
  64. }
  65. return $this->context;
  66. }
  67. }