我需要帮助来使用已弃用的 create_function() 更新类。有人能理解我的课程内容中的结构吗?将其替换为 7.2 版本?
类解释:此类正在处理字符串中嵌套的数据字符,如“[(((2 * 4) + 6))]”,以进行正确的数学计算。这个例子当然比这更复杂 - 就此而言 - 我自己并不理解这个类......它只是按预期工作!
主要问题(私有函数)是这里:
private function compute($input){
$compute = create_function('', 'return '.$input.';');
return 0 + $compute();
}
它被称为 2 次:
// Calculate the result
if(preg_match(self::PATTERN, $input, $match)){
return $this->compute($match[0]);
}
这是完整的课程:
class Field_calculate {
const PATTERN = '/(?:\-?\d+(?:\.?\d+)?[\+\-\*\/])+\-?\d+(?:\.?\d+)?/';
const PARENTHESIS_DEPTH = 10;
public function calculate($input){
if(strpos($input, '+') != null || strpos($input, '-') != null || strpos($input, '/') != null || strpos($input, '*') != null){
// Remove white spaces and invalid math chars
$original = $input ;
//$GLOBALS['A_INFO'] .= "Clean input : ".$original." = ".$input."<br/>";
// Validate parenthesis
$nestled = $this->analyse($input);
if(!$nestled){
$GLOBALS['A_INFO'] .= "_x_Parentheses in ".$original." NOT NESTLED CORRECTLY<br/>";
}
$input = str_replace(',', '.', $input);
$input = preg_replace('/[^0-9\.\+\-\*\/\(\)]/', '', $input);
if($input[0] == '(' && $input[strlen($input) - 1] == ')') {
$input = substr($input, 1, -1);
}
// Calculate each of the parenthesis from the top
$i = 0;
while(strpos($input, '(') || strpos($input, ')')){
$input = preg_replace_callback('/\(([^\(\)]+)\)/', 'self::callback', $input);
$i++;
if($i > self::PARENTHESIS_DEPTH){
break;
}
}
// Calculate the result
if(preg_match(self::PATTERN, $input, $match)){
return $this->compute($match[0]);
}
return 0;
}
return $input;
}
private function analyse($input){
$depth = 0;
for ($i = 0; $i < strlen($input); $i++) {
$depth += $input[$i] == '(';
$depth -= $input[$i] == ')';
if ($depth < 0) break;
}
if ($depth != 0) return false;
else return true;
}
private function compute($input){
$compute = create_function('', 'return '.$input.';');
return 0 + $compute();
}
private function callback($input){
if(is_numeric($input[1])){
return $input[1];
}
elseif(preg_match(self::PATTERN, $input[1], $match)){
return $this->compute($match[0]);
}
return 0;
}
}
感谢您的帮助。
该类从字符串返回数学结果。您可以在这里找到您的课程和相同的问题:使用 eval 从字符串计算数学表达式
它首先剥离掉非数学材料,“[(((2 * 4) + 6))]”变成“((2 * 4) + 6)”,最后纯结果= 14。而不是剥离数值输出,它使用该函数,将“eval”字符串伪造为 php 代码。由于 php v.7.2 删除了混合变量,因此此解决方法无效。 这是通过将数字变量添加到函数计算结果中来完成的:
return 0 + $compute();
这可以这样做:
$value = eval("return ($input);");
return $value;
或完整:
private function compute($input){
$returnvalue = eval("return ($input);");
return $returnvalue;
}
这修复了 php 7.2 错误。但是不建议使用eval
。还有一些其他课程可以为您做这件事。尝试用小型数学库代替您的课程。