3

我想知道是否有一种安全的方法来评估数学,例如

2+2
10000+12000
10000-20
2 + 2
40 - 20 + 23 - 12

无需使用,eval()因为输入可以来自任何用户。我需要实现的只是整数的加法和减法。

是否有任何已经存在的片段,或者我没有遇到过的任何 PHP 函数?

4

3 回答 3

4

eval考虑到 PHP 中可用的各种数学函数,我会质疑 using 。您说过您只想做简单的数学运算——使用的唯一原因eval是执行更复杂的运算,或者从用户那里完全接受方程。

如果您只想加减,请清理输入intval并前往城镇:

$number1 = '100';
$number2 = 'shell_exec(\'rm -rf *\')';
echo intval($number1) + intval($number2); // 100

试试看:http ://codepad.org/LSUDUw1M

这是有效的,因为intval忽略了任何非数字。

如果您确实从用户输入(即100 - 20)中获得了整个方程式,则可以使用preg_replace删除除允许的运算符和数字之外的任何内容:

$input = '20 + 4; shell_exec(\'rm *\')';
$input = preg_replace(
    '/[^0-9+-]/', 
    '',
    $input
);
eval('$result = '.$input.';');
echo 'result: '.$result; // 24

试试看:http ://codepad.org/tnISDPJ3

在这里,我们使用 regex /[^0-9+-]/,它匹配任何不是 0-9 OR + OR - 的东西,并将其替换为空字符串。

如果您想更深入地了解允许的方程式,请直接从eval手册页中获取:

// credit for code to bohwaz (http://www.php.net/manual/en/function.eval.php#107377)
$test = '2+3*pi';

// Remove whitespaces
$test = preg_replace('/\s+/', '', $test);

$number = '(?:\d+(?:[,.]\d+)?|pi|π)'; // What is a number
$functions = '(?:abs|a?cosh?|a?sinh?|a?tanh?|exp|log10|deg2rad|rad2deg|sqrt|ceil|floor|round)'; // Allowed PHP functions
$operators = '[+\/*^%-]'; // Allowed math operators
$regexp = '/^(('.$number.'|'.$functions.'\s*\((?1)+\)|\((?1)+\))(?:'.$operators.'(?2))?)+$/'; // Final regexp, heavily using recursive patterns

if (preg_match($regexp, $q))
{
    $test = preg_replace('!pi|π!', 'pi()', $test); // Replace pi with pi function
    eval('$result = '.$test.';');
}
else
{
    $result = false;
}

文档

于 2012-08-24T19:12:38.797 回答
3

您可以自己解析表达式。

像这样的东西:

// Minus is the same as plus a negative
// Also remove spaces after minus signs
$str = preg_replace('/-\s*(\d+)/', '+-$1', $str);

// Split on plusses
$nums = explode('+', $str);

// Trim values
$nums = array_map('trim', $nums);

// Add 'em up
echo array_sum($nums);

演示:http ://codepad.org/ANc0gh27

于 2012-08-24T19:11:59.003 回答
0

我在计算器脚本中使用了这种方法。

$field1 = $_GET["field1"];
$field2 = $_GET["field2"];

$answer = $field1 + $field2;
echo "$field1 + $field2 = $answer";
于 2012-08-24T19:14:12.913 回答