public static long fibby(long n){
if (n == 0){
return 1;
}
return (fibby(n/4))+(fibby(3*n/4));
}
public static void sparsetablegen(int start, int end){
long fibbyOut = fibby(start);
long lastFibbyOutput = fibbyOut;
System.out.println(start+" "+fibbyOut);
if(start != end){
sparsetablegen(start+1, end);
if (lastFibbyOutput == fibbyOut){
return;
}
}
}
免责声明:这是我的Java项目的一项工作,我尝试了多种方法,但找不到可行的解决方案。我将发布我对代码的理解是什么,以及什么不能正常运行。
我的表应该做的是取值,从“ int start”开始,到int“ end”结束,然后这些值将由我的“ fibby”功能解决。然后,应并排打印“开始”和fibbyOut的值,直到达到“结束”为止。
我应该做的是跳过fibbyOut的所有重复值
因此,例如,我可能会看到:
1-> 2
2-> 3
3-> 4
4-> 6
5-> 6
6-> 8
因此,我想跳过起始值5,因为fibbyOut for 4为6,这是一个重复值。
所以我应该看到
1-> 2
2-> 3
3-> 4
4-> 6
6-> 8
我知道这是一个非常基本的问题,但是我似乎无法弄清楚如何删除fibbyOut的重复值。谢谢你的帮助。
最佳答案
大量编辑:在了解了真正的问题是什么之后,我输入了以下内容:
package Main;
import java.util.ArrayList;
import java.util.List;
public class Main {
public static void main(String[] args) {
List<Long> outputs = new ArrayList<>();
table(0, 8, outputs);
}
public static void table(int start, int end, List<Long> outputs) {
outputs.add(fibby(start));
long lastFibbyOutput = outputs.get(outputs.size() - 1);
for(int i = outputs.size() - 2; i >= 0; i--) {
if(outputs.size() == 1) {
System.out.println(start + " " + lastFibbyOutput); //Always print the first time because it will be a unique value.
break;
} else if(outputs.get(i) == lastFibbyOutput) {
//One of the values matches a previous one, so we break
break;
}
//We're at the end without breaking, so we print.
if(i == 0) System.out.println(start + " " + lastFibbyOutput);
}
if(start == end) {
return;
}
start++;
table(start, end, outputs);
}
public static long fibby(long n) {
if(n == 0) return 1;
return (fibby(n/4) + fibby(3 * n / 4));
}
}