了解用于在Java中计算BigInteger平方根的基础逻辑/数学

时间:2015-10-24 04:42:42

标签: java biginteger square-root

我想用Java计算BigInteger的平方根。在调查时,我发现了这个很棒的链接How can I find the Square Root of a Java BigInteger?,早先在StackOverflow上提到过。

有两个很棒的代码片段可以解决这个问题。但缺少潜在的逻辑或数学。

这是第一个:

BigInteger sqrt(BigInteger n) {
  BigInteger a = BigInteger.ONE;
  BigInteger b = new BigInteger(n.shiftRight(5).add(new BigInteger("8")).toString());
  while(b.compareTo(a) >= 0) {
    BigInteger mid = new BigInteger(a.add(b).shiftRight(1).toString());
    if(mid.multiply(mid).compareTo(n) > 0) b = mid.subtract(BigInteger.ONE);
    else a = mid.add(BigInteger.ONE);
  }
  return a.subtract(BigInteger.ONE);
}

取自here

这是第二个:

public static BigInteger sqrt(BigInteger x) {
    BigInteger div = BigInteger.ZERO.setBit(x.bitLength()/2);
    BigInteger div2 = div;
    // Loop until we hit the same value twice in a row, or wind
    // up alternating.
    for(;;) {
        BigInteger y = div.add(x.divide(div)).shiftRight(1);
        if (y.equals(div) || y.equals(div2))
            return y;
        div2 = div;
        div = y;
    }
}
由@EdwardFalk回答。

任何人都可以解释或指出基础数学或逻辑,以确保主题的完整性。

1 个答案:

答案 0 :(得分:0)

两者基本上都是newton iteration

然而,第一个代码片段有一些奇怪的曲折,所以我会选择第二个代码片段。