HashingStream.php 1.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263
  1. <?php
  2. namespace Aws;
  3. use GuzzleHttp\Psr7\StreamDecoratorTrait;
  4. use Psr\Http\Message\StreamInterface;
  5. /**
  6. * Stream decorator that calculates a rolling hash of the stream as it is read.
  7. */
  8. class HashingStream implements StreamInterface
  9. {
  10. use StreamDecoratorTrait;
  11. /** @var StreamInterface */
  12. private $stream;
  13. /** @var HashInterface */
  14. private $hash;
  15. /** @var callable|null */
  16. private $callback;
  17. /**
  18. * @param StreamInterface $stream Stream that is being read.
  19. * @param HashInterface $hash Hash used to calculate checksum.
  20. * @param callable $onComplete Optional function invoked when the
  21. * hash calculation is completed.
  22. */
  23. public function __construct(
  24. StreamInterface $stream,
  25. HashInterface $hash,
  26. callable $onComplete = null
  27. ) {
  28. $this->stream = $stream;
  29. $this->hash = $hash;
  30. $this->callback = $onComplete;
  31. }
  32. public function read($length): string
  33. {
  34. $data = $this->stream->read($length);
  35. $this->hash->update($data);
  36. if ($this->eof()) {
  37. $result = $this->hash->complete();
  38. if ($this->callback) {
  39. call_user_func($this->callback, $result);
  40. }
  41. }
  42. return $data;
  43. }
  44. public function seek($offset, $whence = SEEK_SET): void
  45. {
  46. // Seeking arbitrarily is not supported.
  47. if ($offset !== 0) {
  48. return;
  49. }
  50. $this->hash->reset();
  51. $this->stream->seek($offset);
  52. }
  53. }