截流自动化的商城平台
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

CompilerRuntime.php 2.6KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283
  1. <?php
  2. namespace JmesPath;
  3. /**
  4. * Compiles JMESPath expressions to PHP source code and executes it.
  5. *
  6. * JMESPath file names are stored in the cache directory using the following
  7. * logic to determine the filename:
  8. *
  9. * 1. Start with the string "jmespath_"
  10. * 2. Append the MD5 checksum of the expression.
  11. * 3. Append ".php"
  12. */
  13. class CompilerRuntime
  14. {
  15. private $parser;
  16. private $compiler;
  17. private $cacheDir;
  18. private $interpreter;
  19. /**
  20. * @param string|null $dir Directory used to store compiled PHP files.
  21. * @param Parser|null $parser JMESPath parser to utilize
  22. * @throws \RuntimeException if the cache directory cannot be created
  23. */
  24. public function __construct($dir = null, Parser $parser = null)
  25. {
  26. $this->parser = $parser ?: new Parser();
  27. $this->compiler = new TreeCompiler();
  28. $dir = $dir ?: sys_get_temp_dir();
  29. if (!is_dir($dir) && !mkdir($dir, 0755, true)) {
  30. throw new \RuntimeException("Unable to create cache directory: $dir");
  31. }
  32. $this->cacheDir = realpath($dir);
  33. $this->interpreter = new TreeInterpreter();
  34. }
  35. /**
  36. * Returns data from the provided input that matches a given JMESPath
  37. * expression.
  38. *
  39. * @param string $expression JMESPath expression to evaluate
  40. * @param mixed $data Data to search. This data should be data that
  41. * is similar to data returned from json_decode
  42. * using associative arrays rather than objects.
  43. *
  44. * @return mixed Returns the matching data or null
  45. * @throws \RuntimeException
  46. */
  47. public function __invoke($expression, $data)
  48. {
  49. $functionName = 'jmespath_' . md5($expression);
  50. if (!function_exists($functionName)) {
  51. $filename = "{$this->cacheDir}/{$functionName}.php";
  52. if (!file_exists($filename)) {
  53. $this->compile($filename, $expression, $functionName);
  54. }
  55. require $filename;
  56. }
  57. return $functionName($this->interpreter, $data);
  58. }
  59. private function compile($filename, $expression, $functionName)
  60. {
  61. $code = $this->compiler->visit(
  62. $this->parser->parse($expression),
  63. $functionName,
  64. $expression
  65. );
  66. if (!file_put_contents($filename, $code)) {
  67. throw new \RuntimeException(sprintf(
  68. 'Unable to write the compiled PHP code to: %s (%s)',
  69. $filename,
  70. var_export(error_get_last(), true)
  71. ));
  72. }
  73. }
  74. }