CodeExporter.php 2.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109
  1. <?php declare(strict_types=1);
  2. /*
  3. * This file is part of sebastian/global-state.
  4. *
  5. * (c) Sebastian Bergmann <sebastian@phpunit.de>
  6. *
  7. * For the full copyright and license information, please view the LICENSE
  8. * file that was distributed with this source code.
  9. */
  10. namespace SebastianBergmann\GlobalState;
  11. use const PHP_EOL;
  12. use function is_array;
  13. use function is_scalar;
  14. use function serialize;
  15. use function sprintf;
  16. use function var_export;
  17. /**
  18. * Exports parts of a Snapshot as PHP code.
  19. */
  20. final class CodeExporter
  21. {
  22. public function constants(Snapshot $snapshot): string
  23. {
  24. $result = '';
  25. foreach ($snapshot->constants() as $name => $value) {
  26. $result .= sprintf(
  27. 'if (!defined(\'%s\')) define(\'%s\', %s);' . "\n",
  28. $name,
  29. $name,
  30. $this->exportVariable($value)
  31. );
  32. }
  33. return $result;
  34. }
  35. public function globalVariables(Snapshot $snapshot): string
  36. {
  37. $result = <<<'EOT'
  38. call_user_func(
  39. function ()
  40. {
  41. foreach (array_keys($GLOBALS) as $key) {
  42. unset($GLOBALS[$key]);
  43. }
  44. }
  45. );
  46. EOT;
  47. foreach ($snapshot->globalVariables() as $name => $value) {
  48. $result .= sprintf(
  49. '$GLOBALS[%s] = %s;' . PHP_EOL,
  50. $this->exportVariable($name),
  51. $this->exportVariable($value)
  52. );
  53. }
  54. return $result;
  55. }
  56. public function iniSettings(Snapshot $snapshot): string
  57. {
  58. $result = '';
  59. foreach ($snapshot->iniSettings() as $key => $value) {
  60. $result .= sprintf(
  61. '@ini_set(%s, %s);' . "\n",
  62. $this->exportVariable($key),
  63. $this->exportVariable($value)
  64. );
  65. }
  66. return $result;
  67. }
  68. private function exportVariable($variable): string
  69. {
  70. if (is_scalar($variable) || null === $variable ||
  71. (is_array($variable) && $this->arrayOnlyContainsScalars($variable))) {
  72. return var_export($variable, true);
  73. }
  74. return 'unserialize(' . var_export(serialize($variable), true) . ')';
  75. }
  76. private function arrayOnlyContainsScalars(array $array): bool
  77. {
  78. $result = true;
  79. foreach ($array as $element) {
  80. if (is_array($element)) {
  81. $result = $this->arrayOnlyContainsScalars($element);
  82. } elseif (!is_scalar($element) && null !== $element) {
  83. $result = false;
  84. }
  85. if ($result === false) {
  86. break;
  87. }
  88. }
  89. return $result;
  90. }
  91. }