public class Arrays {
public static void main(String[] args){
long Fib[] = new long[100];
Fib[0] = 1;
Fib[1] = 1;
int i = 0;
while(i <= 100){
Fib[i+2]= Fib[i] + Fib[i+1];
System.out.println(Fib[i]);
i++;
}
}
}
我用这个来找到斐波纳契数,但它开始在第94届大约给我一些奇怪的读数。有人在乎解释吗?我是Java的新手,所以请不要讨厌它是否显而易见。 这里是错误输出的一些片段,但其他一切看起来都不错:
832040
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: 100
1346269
...
63245986
at Arrays.main(102334155
Arrays.java:8)
165580141
...
4660046610375530309
7540113804746346429
-6246583658587674878
1293530146158671551
-4953053512429003327
-3659523366270331776
-8612576878699335103
6174643828739884737
答案 0 :(得分:7)
这是解决方案。您正在尝试访问第102个元素i + 2,其中i = 100
Fib[0] = 1;
Fib[1] = 1;
int i = 2;
while(i < 100){
Fib[i]= Fib[i-1] + Fib[i-2];
System.out.println(Fib[i]);
i++;
}
此外,第97个斐波那契数超过long
范围,介于-9,223,372,036,854,775,808和9,223,372,036,854,775,807之间。 97th Fibonacci是83,621,143,489,848,410,000你应该使用BigInteger
代替long
下面的代码打印到1000位数的斐波纳契数。
BigInteger first = new BigInteger("0");
BigInteger second = new BigInteger("1");
BigInteger temp;// = new BigInteger("0");
int counter = 1;
while(numberOfDigits(second) < 1000)
{
temp = new BigInteger(second.toString());
second = second.add(first);
first = new BigInteger(temp.toString());
counter++;
}
System.out.print(counter);
}
public static int numberOfDigits(BigInteger number)
{
return number.toString().length();
}
答案 1 :(得分:2)
java.lang.ArrayIndexOutOfBoundsException: 100
表示数组索引100不存在。
`long Fib[] = new long[100];`
创建索引0 - 99
答案 2 :(得分:1)
当i
达到98时,Fib[i+2]
将评估为Fib[100]
,因为ArrayIndexOutOfBoundsException
的长度为100且数组为零索引,因此会Fib
(正如您通过分配Fib[0]
所证明的那样。)
此外,由于结果太大而无法容纳long
,因此结果为负值,因此它们会溢出。 long的最大值为9,223,372,036,854,775,807
,第93个Fibonacci数是第一个超过此值的值12,200,160,415,121,876,738
。
答案 3 :(得分:1)
阵列中不需要生成Fibonacci序列。 另一个技巧是使用double(长度对于第100个Fibonacci数而言太小)
double penultimate = 1; // <- long is not long enough ;) use double or BigInteger
double ultimate = 1;
System.out.println(penultimate);
for (int i = 1; i < 100; ++i) {
System.out.println(ultimate);
double h = penultimate + ultimate;
penultimate = ultimate;
ultimate = h;
}
答案 4 :(得分:0)
此外,您可以循环98次以获得该系列。
它将为您提供Fib[100] = 6174643828739884737
的最后一个元素。
long Fib[] = new long[100];
Fib[0] = 1;
Fib[1] = 1;
int i = 0;
while(i < 98){
Fib[i+2]= Fib[i] + Fib[i+1];
System.out.println(Fib[i]);
i++;
}