java 有没有更有效的方法来计算圆周率?

bfnvny8b  于 2022-12-10  发布在  Java
关注(0)|答案(2)|浏览(117)

我昨天开始学java。因为我知道其他编程语言,所以对我来说学习Java更容易。实际上,它很酷。我还是更喜欢Python:)不管怎样,我写了这个程序来计算基于算法的pi(pi = 4/1 - 4/3 + 4/5 - 4/7....),我知道有更有效的方法来计算pi。我该怎么做呢?

import java.util.Scanner;

public class PiCalculator
{
  public static void main(String[] args)
  {
    int calc;
    Scanner in = new Scanner(System.in);
    System.out.println("Welcome to Ori's Pi Calculator Program!");
    System.out.println("Enter the number of calculations you would like to perform:");
    calc = in.nextInt();
    while (calc <= 0){
      System.out.println("Your number cannot be 0 or below. Try another number.");
      calc = in.nextInt();
    }
    float a = 1;
    float pi = 0;
    while (calc >= 0) {
      pi = pi + (4/a);
      a = a + 2;
      calc = calc - 1;
      pi = pi - (4/a);
      a = a + 2;
      calc = calc - 1;
    }
    System.out.println("Awesome! Pi is " + pi);
  }
}

这个代码的结果,在1,000,000次计算之后仍然是3.1415954。必须有一个更有效的方法来做到这一点。
谢谢你!

pbossiut

pbossiut1#

在Java中计算Pi最有效的方法是根本不计算它:

System.out.println("Awesome! Pi is " + Math.PI);

虽然你的问题不太清楚,但我猜你是在尝试一种锻炼方式,那么你可以试试Nilakantha系列:

float pi = 3;
for(int i = 0; i < 1000000; i += 2) {
    pi += 4 / (float) (i * (i + 1) * (i + 2));
}

甚至更有效和准确的是Machin的公式:

float pi = 4f * (4f * Math.atan(5) - Math.atan(239)) / 5f;
zrfyljdw

zrfyljdw2#

为什么不使用Python的生成器表达式来实现π的莱布尼茨公式(一行:)):

4*sum(pow(-1, k)/(2*k + 1) for k in range (10000))

相关问题