我尝试按位和编程a和b之间的数字范围。
可以有' n'测试用例。
0<=a,b<=2^32
1<=n<=200
说明:
1
2 4
计算:2&3&4
INPUT :
1
4009754624 4026531839
输出:
Exception in thread "main" java.lang.StackOverflowError at Example.BitwiseAnd.calculate(BitwiseAnd.java:78)
代码:
public class BitwiseAnd
{
static long temp = 0;
static long result[];
public static void main(String[] args)
{
Scanner scan = new Scanner(System.in);
int time = scan.nextInt();
if(validateTime(time))
{
result = new long[time];
for(int i=0;i<time;i++)
{
long arr[] = new long[2];
arr[0] = scan.nextLong();
temp=arr[0];
arr[1] = scan.nextLong();
if(validateNum(arr[0],arr[1]))
{
result[i] = calculateUsingRecursion(arr[0],arr[1]);
//result[i] = calculateUsingForLoop(arr[0],arr[1]);
}
else
{
System.out.println("Enter a valid numbers");
}
}
printResult(result);
}
else
{
System.out.println("Enter a valid number of testcases");
}
}
public static void printResult(long[] result)
{
for(int i=0;i<result.length;i++)
{
System.out.println(result[i]);
}
}
public static boolean validateNum(long num1, long num2)
{
Long max = (long)Math.pow(2, 32);
if(num1<0 || num1>max)
{
return false;
}
else if(num2<0 || num2>max)
{
return false;
}
return true;
}
public static boolean validateTime(int time)
{
if(time<1 || time>200)
{
return false;
}
return true;
}
private static long calculateUsingRecursion(long num1, long num2)
{
while(num1<num2)
{
num1=num1+1;
temp=temp&num1;
calculateUsingRecursion(num1, num2);
}
return temp;
}
private static long calculateUsingForLoop(long num1,long num2)
{
num1=num1+1;
for(long i=num1 ; i<=num2 ; i++)
{
temp=temp&num1;
}
return temp;
}
}
对于大型数字集,递归方法计算会让我 StackOverFlowException 。而 for 循环可以正常工作。 我的问题是为什么我们不能为大量输入进行递归?如何通过递归修复它?
答案 0 :(得分:1)
您的递归函数是迭代和递归之间的混合。改变它:
private static long calculateUsingRecursion(long num1, long num2, long temp) {
// Stop condition
if (num1 >= num2) {
return temp;
}
// Progression
num1 = num1 + 1;
temp = temp & num1;
// Recursion
return calculateUsingRecursion(num1, num2, temp);
}
请注意,如果任何递归函数递归过深,您将获得StackOverflowException。
答案 1 :(得分:1)
您没有添加所有信息(如完整的堆栈跟踪),并且代码中没有BitwiseAnd.calculate方法。
1)你在Recursion方法中使用“while”,但你不应该循环,因为这是由递归调用完成的,你应该使用“if”代替。
2)堆栈的大小是有限的,因此方法不能在无限循环中调用自身。输入4009754624和4026531839,它必须自称16777215次。背景材料需要更多的ram。但要简化它:Java必须为您的方法分配2个长参数16777215次,并且它只能在每个方法返回后重用它们。
因此,如果进行多次迭代,请不要进行递归调用。
答案 2 :(得分:1)
您根本不需要遍历所有这些数字。您只需要找到区间中所有数字的常量位(否则它们的AND等于零)。
让我们迭代从最高到最低的位,并检查a
和b
是否具有该位的相同值。当它们在某个位置有不同的位时停止迭代:
long res = 0;
for (int bit = 32; bit >= 0; --bit) {
long bita = a & (1L << bit);
long bitb = b & (1L << bit);
if (bita != bitb) break;
res |= bita;
}
Runnable:https://ideone.com/pkrUtV