我将如何在 Java 中进行非常大的数字计算?
我已经尝试过long
,但最大值为 9223372036854775807,当使用整数时,它不能保存足够的数字,因此对于我需要的不够准确。
有没有办法解决?
我将如何在 Java 中进行非常大的数字计算?
我已经尝试过long
,但最大值为 9223372036854775807,当使用整数时,它不能保存足够的数字,因此对于我需要的不够准确。
有没有办法解决?
您可以将BigInteger
类用于整数和BigDecimal
带有小数位的数字。这两个类都在java.math
包中定义。
例子:
BigInteger reallyBig = new BigInteger("1234567890123456890");
BigInteger notSoBig = new BigInteger("2743561234");
reallyBig = reallyBig.add(notSoBig);
使用作为BigInteger
Java 库一部分的类。
http://java.sun.com/j2se/1.5.0/docs/api/java/math/BigInteger.html
这是一个非常快速地获得大数字的示例。
import java.math.BigInteger;
/*
250000th fib # is: 36356117010939561826426 .... 10243516470957309231046875
Time to compute: 3.5 seconds.
1000000th fib # is: 1953282128707757731632 .... 93411568996526838242546875
Time to compute: 58.1 seconds.
*/
public class Main {
public static void main(String... args) {
int place = args.length > 0 ? Integer.parseInt(args[0]) : 250 * 1000;
long start = System.nanoTime();
BigInteger fibNumber = fib(place);
long time = System.nanoTime() - start;
System.out.println(place + "th fib # is: " + fibNumber);
System.out.printf("Time to compute: %5.1f seconds.%n", time / 1.0e9);
}
private static BigInteger fib(int place) {
BigInteger a = new BigInteger("0");
BigInteger b = new BigInteger("1");
while (place-- > 1) {
BigInteger t = b;
b = a.add(b);
a = t;
}
return b;
}
}
结帐BigDecimal
和BigInteger
.
import java.math.BigInteger;
import java.util.*;
class A
{
public static void main(String args[])
{
Scanner in=new Scanner(System.in);
System.out.print("Enter The First Number= ");
String a=in.next();
System.out.print("Enter The Second Number= ");
String b=in.next();
BigInteger obj=new BigInteger(a);
BigInteger obj1=new BigInteger(b);
System.out.println("Sum="+obj.add(obj1));
}
}
根据您正在做的事情,您可能想看看 GMP (gmplib.org),它是一个高性能多精度库。要在 Java 中使用它,您需要围绕二进制库的 JNI 包装器。
有关使用它而不是 BigInteger 将 Pi 计算为任意位数的示例,请参阅一些 Alioth Shootout 代码。
https://benchmarksgame-team.pages.debian.net/benchmarksgame/program/pidigits-java-2.html