安全地评估简单的数学

时间:2012-08-24 19:07:18

标签: php

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

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

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

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

3 个答案:

答案 0 :(得分:4)

考虑到PHP中可用的各种数学函数,我会问eval。你曾经说过你只想做简单的数学运算 - 使用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

在这里,我们使用正则表达式/[^0-9+-]/,它匹配任何非0-9或+ 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;
}

<强>文档

答案 1 :(得分: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);

DEMO:http://codepad.org/ANc0gh27

答案 2 :(得分:0)

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

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

$answer = $field1 + $field2;
echo "$field1 + $field2 = $answer";