好的,这只是我和我的同事正在玩的东西。 我们知道PHP拥有它自己的PI功能,但这是出于理论和好奇心。
所以我们想知道PHP是否以及如何计算pi
pi
= π= 4/1 - 4/3 + 4/5 - 4/7 + 4/9...
以下是我们的所作所为:
$theValue = 100;// the max
for ($i=1; $i<$theValue; $i++){
if ($i % 2 == 1){
$iWaardes[] = 4 / $i; // divide 4 by all uneven numbers and store them in an array
}
}
// Use the array's $keys as incrementing numbers to calculate the $values.
for ($a=0, $b=1, $c=2; $a<$theValue; $a+=3, $b+=3, $c+=3 ){
echo ($iWaardes[$a] - $iWaardes[$b] + $iWaardes[$c]).'<br>';
}
所以现在我们有一个循环计算了4/1 - 4/3 + 4/5
的第一个系列,但它在此之后停止并从以下3个序列开始。
我们如何让它运行整个$theValue
并计算整个系列?
请记住,这对我们来说并不严肃,只是一个有趣的实验。
答案 0 :(得分:4)
def ended_in_the_last_50_days(self):
return self.age_in_days <= 50
答案 1 :(得分:2)
只需使用一个循环。有一个$bottom
变量,你在每次迭代时加2,除以它,然后根据模数加/减它:
$theValue = 10000; // the max
$bottom = 1;
$pi = 0;
for ($i = 1; $i < $theValue; $i++) {
if ($i % 2 == 1) {
$pi += 4 / $bottom;
} else {
$pi -= 4 / $bottom;
}
$bottom += 2;
}
var_dump($pi); // 3.14169266359
您的代码有什么问题(除了没有用适当的数字除外)是第二个循环。您出于某种原因打印出存储的数字3乘以3.直到$a
,增加3,低于$theValue
,这要高得多。因此,例如,如果$theValue
为10,则在开始出现绑定错误之前只需要2个循环。
答案 2 :(得分:0)
pi()
返回pi的近似值。返回的float具有基于php.ini中的precision指令的精度,默认为14.此外,您可以使用M_PI常量,它产生与pi()相同的结果
使用PHP我们也可以计算Pi,虽然速度很慢。
$pi = 4; $top = 4; $bot = 3; $minus = TRUE;
$accuracy = 1000000;
for($i = 0; $i < $accuracy; $i++)
{
$pi += ( $minus ? -($top/$bot) : ($top/$bot) );
$minus = ( $minus ? FALSE : TRUE);
$bot += 2;
}
print "Pi ~=: " . $pi;
这种计算Pi的方法很慢,但很容易读取代码。 您可以在此处阅读有关此方法的更多信息 http://en.wikipedia.org/wiki/Leibniz_formula_for_%CF%80
如果增加$ accuracy变量,Pi的计算越来越准确。根据您的Web服务器的速度,您可以相当快地计算出Pi的前6位数。
然而,计算每个后续数字所需的时间呈指数增长。要使用此方法计算Pi的20位数,可能需要数年时间。