Env.php 2.4 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091
  1. <?php
  2. namespace JmesPath;
  3. /**
  4. * Provides a simple environment based search.
  5. *
  6. * The runtime utilized by the Env class can be customized via environment
  7. * variables. If the JP_PHP_COMPILE environment variable is specified, then the
  8. * CompilerRuntime will be utilized. If set to "on", JMESPath expressions will
  9. * be cached to the system's temp directory. Set the environment variable to
  10. * a string to cache expressions to a specific directory.
  11. */
  12. final class Env
  13. {
  14. const COMPILE_DIR = 'JP_PHP_COMPILE';
  15. /**
  16. * Returns data from the input array that matches a JMESPath expression.
  17. *
  18. * @param string $expression JMESPath expression to evaluate
  19. * @param mixed $data JSON-like data to search
  20. *
  21. * @return mixed Returns the matching data or null
  22. */
  23. public static function search($expression, $data)
  24. {
  25. static $runtime;
  26. if (!$runtime) {
  27. $runtime = Env::createRuntime();
  28. }
  29. return $runtime($expression, $data);
  30. }
  31. /**
  32. * Creates a JMESPath runtime based on environment variables and extensions
  33. * available on a system.
  34. *
  35. * @return callable
  36. */
  37. public static function createRuntime()
  38. {
  39. switch ($compileDir = self::getEnvVariable(self::COMPILE_DIR)) {
  40. case false: return new AstRuntime();
  41. case 'on': return new CompilerRuntime();
  42. default: return new CompilerRuntime($compileDir);
  43. }
  44. }
  45. /**
  46. * Delete all previously compiled JMESPath files from the JP_COMPILE_DIR
  47. * directory or sys_get_temp_dir().
  48. *
  49. * @return int Returns the number of deleted files.
  50. */
  51. public static function cleanCompileDir()
  52. {
  53. $total = 0;
  54. $compileDir = self::getEnvVariable(self::COMPILE_DIR) ?: sys_get_temp_dir();
  55. foreach (glob("{$compileDir}/jmespath_*.php") as $file) {
  56. $total++;
  57. unlink($file);
  58. }
  59. return $total;
  60. }
  61. /**
  62. * Reads an environment variable from $_SERVER, $_ENV or via getenv().
  63. *
  64. * @param string $name
  65. *
  66. * @return string|null
  67. */
  68. private static function getEnvVariable($name)
  69. {
  70. if (array_key_exists($name, $_SERVER)) {
  71. return $_SERVER[$name];
  72. }
  73. if (array_key_exists($name, $_ENV)) {
  74. return $_ENV[$name];
  75. }
  76. $value = getenv($name);
  77. return $value === false ? null : $value;
  78. }
  79. }