Integer square root

From Wikipedia, the free encyclopedia

In number theory, the integer square root (isqrt) of a positive integer n is the positive integer m which is the greatest integer less than or equal to the square root of n,

For example, because and .

Straightforward algorithm[]

The integer square root of a non-negative integer can be defined as

Algorithm using linear search[]

The following C-program is a straightforward implementation.

// Integer square root (using linear search)
unsigned int isqrt( unsigned int y )
{
	unsigned int x = 1;

	while( x * x <= y )
		x = x + 1;

	return x - 1;
}


Algorithm using binary search[]

The previous algorithm uses linear search, checking every value until it hits the smallest where .

A speed-up is achieved by using binary search instead. The following C-program is an implementation.

// Integer square root (using binary search)
unsigned int isqrt( unsigned int y )
{
	unsigned int L = 0;
	unsigned int M;
	unsigned int R = y + 1;

    while( L != R - 1 )
    {
        M = (L + R) / 2;

		if( M * M <= y )
			L = M;
		else
			R = M;
	}

    return L;
}

Numerical example[]

For example, if one computes the integer square root of 2000000 using binary search, one obtains the sequence

This computation takes 21 iteration steps, whereas linear search would need 1414 steps.

Algorithm using Newton's method[]

One way of calculating and is to use Heron's method, which is a special case of Newton's method, to find a solution for the equation , giving the iterative formula

The sequence converges quadratically to as .

Stopping criterion[]

One can prove[citation needed] that is the largest possible number for which the stopping criterion

ensures in the algorithm above.

In implementations which use number formats that cannot represent all rational numbers exactly (for example, floating point), a stopping constant less than one should be used to protect against roundoff errors.

Domain of computation[]

Although is irrational for many , the sequence contains only rational terms when is rational. Thus, with this method it is unnecessary to exit the field of rational numbers in order to calculate , a fact which has some theoretical advantages.

Using only integer division[]

For computing for very large integers n, one can use the quotient of Euclidean division for both of the division operations. This has the advantage of only using integers for each intermediate value, thus making the use of floating point representations of large numbers unnecessary. It is equivalent to using the iterative formula

By using the fact that

one can show that this will reach within a finite number of iterations.

In the original version, one has for , and for . So in the integer version, one has and until the final solution is reached. For the final solution , one has and , so the stopping criterion is .

However, is not necessarily a fixed point of the above iterative formula. Indeed, it can be shown that is a fixed point if and only if is not a perfect square. If is a perfect square, the sequence ends up in a period-two cycle between and instead of converging.

Example implementation in C[]

// Square root of integer
unsigned int int_sqrt ( unsigned int s )
{
	unsigned int x0 = s / 2;			// Initial estimate
	                        			// Avoid overflow when s is the maximum representable value

	// Sanity check
	if ( x0 != 0 )
	{
		unsigned int x1 = ( x0 + s / x0 ) / 2;	// Update
		
		while ( x1 < x0 )				// This also checks for cycle
		{
			x0 = x1;
			x1 = ( x0 + s / x0 ) / 2;
		}
		
		return x0;
	}
	else
	{
		return s;
	}
}

Numerical example[]

For example, if one computes the integer square root of 2 000 000 using the algorithm above, one obtains the sequence 1 000 000, 500 001, 250 002, 125 004, 62 509, 31 270, 15 666, 7 896, 4 074, 2 282, 1 579, 1 422, 1 414, 1 414. Totally 13 iteration steps are needed. Although Heron's method converges quadratically close to the solution, less than one bit precision per iteration is gained at the beginning. This means that the choice of the initial estimate is critical for the performance of the algorithm.

When a fast computation for the integer part of the binary logarithm or for the bit-length is available (like e.g. std::bit_width in C++20), one should better start at

,

which is the least power of two bigger than . In the example of the integer square root of 2 000 000, , , and the resulting sequence is 2 048, 1 512, 1 417, 1 414, 1 414. In this case only 4 iteration steps are needed.

Digit-by-digit algorithm[]

The traditional pen-and-paper algorithm for computing the square root is based on working from higher digit places to lower, and as each new digit pick the largest that will still yield a square . If stopping after the one's place, the result computed will be the integer square root.

Using bitwise operations[]

If working in base 2, the choice of digit is simplified to that between 0 (the "small candidate") and 1 (the "large candidate"), and digit manipulations can be expressed in terms of binary shift operations. With * being multiplication, << being left shift, and >> being logical right shift, a recursive algorithm to find the integer square root of any natural number is:

def integer_sqrt(n: int) -> int:
    assert n >= 0, "sqrt works for only non-negative inputs"
    if n < 2:
        return n

    # Recursive call:
    small_cand = integer_sqrt(n >> 2) << 1
    large_cand = small_cand + 1
    if large_cand * large_cand > n:
        return small_cand
    else:
        return large_cand


# equivalently:
def integer_sqrt_iter(n: int) -> int:
    assert n >= 0, "sqrt works for only non-negative inputs"
    if n < 2:
        return n

    # Find the shift amount. See also [[find first set]],
    # shift = ceil(log2(n) * 0.5) * 2 = ceil(ffs(n) * 0.5) * 2
    shift = 2
    while (n >> shift) != 0:
        shift += 2

    # Unroll the bit-setting loop.
    result = 0
    while shift >= 0:
        result = result << 1
        large_cand = (
            result + 1
        )  # Same as result ^ 1 (xor), because the last bit is always 0.
        if large_cand * large_cand <= n >> shift:
            result = large_cand
        shift -= 2

    return result

Traditional pen-and-paper presentations of the digit-by-digit algorithm include various optimisations not present in the code above, in particular the trick of presubtracting the square of the previous digits which makes a general multiplication step unnecessary. See Methods of computing square roots § Woo abacus for an example.[1]

In programming languages[]

Some programming languages dedicate an explicit operation to the integer square root calculation in addition to the general case or can be extended by libraries to this end.

See also[]

References[]

  1. ^ Fast integer square root by Mr. Woo's abacus algorithm (archived)
  2. ^ "CLHS: Function SQRT, ISQRT". www.lispworks.com.
  3. ^ "Mathematical functions". Python Standard Library documentation.

External links[]

Retrieved from ""