在函数fermatFactorization()中,由于我正在使用a类,因此将bLong作为参考参数传递。但是,在函数testFermatFactorization()中,当我将ab传递给fermatFactorization()时,ab的值不会改变,因此testFermatFactorization()打印(0)(0)。我通过在a中打印bfermatFactorization()进行了测试,得到了预期的输出。

我在俯视什么?编译器是否可以更改abfermatFactorization()中,因为它们仅被分配给它们?(可疑)

public static void fermatFactorization(Long n, Long a, Long b)
//PRE:  n is the integer to be factored
//POST: a and b will be the factors of n
{
    Long v = 1L;
    Long x = ((Double)Math.ceil(Math.sqrt(n))).longValue();
    //System.out.println("x: " + x);
    Long u = 2*x + 1;
    Long r = x*x - n;

    while(r != 0)                 //we are looking for the condition x^2 - y^2 - n to be zero
    {
        while(r>0)
        {
            r = r - v;            //update our condition
            v = v + 2;            //v keeps track of (y+1)^2 - y^2 = 2y+1, increase the "y"
        }
        while(r<0)
        {
            r = r + u;
            u = u + 2;            //keeps track of (x+1)^2 - x^2 = 2x+1, increases the "x"
        }
    }

    a = (u + v - 2)/2;            //remember what u and v equal; --> (2x+1 + 2y+1 - 2)/2 = x+y
    b = (u - v)/2;                //                             --> (2x+1 -(2y+1))/2 = x-y
}

public static void testFermatFactorization(Long number)
{
    Long a = 0L;
    Long b = 0L;
    fermatFactorization(number, a, b);
    System.out.printf("Fermat Factorization(%d) = (%d)(%d)\n", number, a, b);
}

最佳答案

Java是按价值传递的。如果为参数分配新值,则不会影响调用方方法中的值。

您有两种选择:


使您的方法返回ab-在int[]中或使用具有两个字段的单独的FactorizationRezult类。这样,您将在调用的方法中将ab声明为局部变量,而不是将它们用作参数。这是最可取的方法。
另一种方法是使用MutableLong并使用setValue(..)方法-这样更改将影响调用方方法中的对象。这不太可取

08-17 04:23