FileCookieJar.php 2.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101
  1. <?php
  2. namespace GuzzleHttp\Cookie;
  3. use GuzzleHttp\Utils;
  4. /**
  5. * Persists non-session cookies using a JSON formatted file
  6. */
  7. class FileCookieJar extends CookieJar
  8. {
  9. /**
  10. * @var string filename
  11. */
  12. private $filename;
  13. /**
  14. * @var bool Control whether to persist session cookies or not.
  15. */
  16. private $storeSessionCookies;
  17. /**
  18. * Create a new FileCookieJar object
  19. *
  20. * @param string $cookieFile File to store the cookie data
  21. * @param bool $storeSessionCookies Set to true to store session cookies
  22. * in the cookie jar.
  23. *
  24. * @throws \RuntimeException if the file cannot be found or created
  25. */
  26. public function __construct(string $cookieFile, bool $storeSessionCookies = false)
  27. {
  28. parent::__construct();
  29. $this->filename = $cookieFile;
  30. $this->storeSessionCookies = $storeSessionCookies;
  31. if (\file_exists($cookieFile)) {
  32. $this->load($cookieFile);
  33. }
  34. }
  35. /**
  36. * Saves the file when shutting down
  37. */
  38. public function __destruct()
  39. {
  40. $this->save($this->filename);
  41. }
  42. /**
  43. * Saves the cookies to a file.
  44. *
  45. * @param string $filename File to save
  46. *
  47. * @throws \RuntimeException if the file cannot be found or created
  48. */
  49. public function save(string $filename): void
  50. {
  51. $json = [];
  52. /** @var SetCookie $cookie */
  53. foreach ($this as $cookie) {
  54. if (CookieJar::shouldPersist($cookie, $this->storeSessionCookies)) {
  55. $json[] = $cookie->toArray();
  56. }
  57. }
  58. $jsonStr = Utils::jsonEncode($json);
  59. if (false === \file_put_contents($filename, $jsonStr, \LOCK_EX)) {
  60. throw new \RuntimeException("Unable to save file {$filename}");
  61. }
  62. }
  63. /**
  64. * Load cookies from a JSON formatted file.
  65. *
  66. * Old cookies are kept unless overwritten by newly loaded ones.
  67. *
  68. * @param string $filename Cookie file to load.
  69. *
  70. * @throws \RuntimeException if the file cannot be loaded.
  71. */
  72. public function load(string $filename): void
  73. {
  74. $json = \file_get_contents($filename);
  75. if (false === $json) {
  76. throw new \RuntimeException("Unable to load file {$filename}");
  77. }
  78. if ($json === '') {
  79. return;
  80. }
  81. $data = Utils::jsonDecode($json, true);
  82. if (\is_array($data)) {
  83. foreach ($data as $cookie) {
  84. $this->setCookie(new SetCookie($cookie));
  85. }
  86. } elseif (\is_scalar($data) && !empty($data)) {
  87. throw new \RuntimeException("Invalid cookie file: {$filename}");
  88. }
  89. }
  90. }