2020-01-15 21:21:26 +00:00
|
|
|
import math
|
|
|
|
|
|
|
|
|
|
|
|
def fx(x: float, a: float) -> float:
|
|
|
|
return math.pow(x, 2) - a
|
|
|
|
|
|
|
|
|
|
|
|
def fx_derivative(x: float) -> float:
|
|
|
|
return 2 * x
|
|
|
|
|
|
|
|
|
|
|
|
def get_initial_point(a: float) -> float:
|
|
|
|
start = 2.0
|
|
|
|
|
|
|
|
while start <= a:
|
|
|
|
start = math.pow(start, 2)
|
|
|
|
|
|
|
|
return start
|
|
|
|
|
|
|
|
|
|
|
|
def square_root_iterative(
|
2023-10-07 19:32:28 +00:00
|
|
|
a: float, max_iter: int = 9999, tolerance: float = 1e-14
|
2020-01-15 21:21:26 +00:00
|
|
|
) -> float:
|
|
|
|
"""
|
2023-10-07 19:32:28 +00:00
|
|
|
Square root approximated using Newton's method.
|
2020-01-15 21:21:26 +00:00
|
|
|
https://en.wikipedia.org/wiki/Newton%27s_method
|
2020-05-22 06:10:11 +00:00
|
|
|
|
2023-10-07 19:32:28 +00:00
|
|
|
>>> all(abs(square_root_iterative(i) - math.sqrt(i)) <= 1e-14 for i in range(500))
|
2020-01-15 21:21:26 +00:00
|
|
|
True
|
2020-05-22 06:10:11 +00:00
|
|
|
|
2020-01-15 21:21:26 +00:00
|
|
|
>>> square_root_iterative(-1)
|
|
|
|
Traceback (most recent call last):
|
|
|
|
...
|
|
|
|
ValueError: math domain error
|
|
|
|
|
|
|
|
>>> square_root_iterative(4)
|
|
|
|
2.0
|
|
|
|
|
|
|
|
>>> square_root_iterative(3.2)
|
|
|
|
1.788854381999832
|
|
|
|
|
|
|
|
>>> square_root_iterative(140)
|
|
|
|
11.832159566199232
|
|
|
|
"""
|
|
|
|
|
|
|
|
if a < 0:
|
|
|
|
raise ValueError("math domain error")
|
|
|
|
|
|
|
|
value = get_initial_point(a)
|
|
|
|
|
2022-10-13 16:03:06 +00:00
|
|
|
for _ in range(max_iter):
|
2020-01-15 21:21:26 +00:00
|
|
|
prev_value = value
|
|
|
|
value = value - fx(value, a) / fx_derivative(value)
|
|
|
|
if abs(prev_value - value) < tolerance:
|
|
|
|
return value
|
|
|
|
|
|
|
|
return value
|
|
|
|
|
|
|
|
|
|
|
|
if __name__ == "__main__":
|
|
|
|
from doctest import testmod
|
|
|
|
|
|
|
|
testmod()
|