Нахождение квадратного корня по методу Ньютона (ошибки!)

я работаю, чтобы закончить математическую задачу, которая приближается к квадратному корню из числа, используя Ньютонаугадать и проверить метод в Python. Предполагается, что пользователь вводит число, начальное предположение о числе и сколько раз он хочет проверить свой ответ, прежде чем вернуться. Чтобы сделать вещи проще и познакомиться с Python (ямы только начали изучать язык пару месяцев назад) я разбил его на несколько небольших функций; проблема сейчас в том, что яУ меня проблемы с вызовом каждой функции и передачей чисел.

Вот мой код с комментариями, чтобы помочь (каждая функция в порядке использования):

# This program approximates the square root of a number (entered by the user)
# using Newton's method (guess-and-check). I started with one long function,
# but after research, have attempted to apply smaller functions on top of each
# other.
# * NEED TO: call functions properly; implement a counting loop so the
# goodGuess function can only be accessed the certain # of times the user
# specifies. Even if the - .001 range isn't reached, it should return.

# sqrtNewt is basically the main, which initiates user input.

def sqrtNewt():
    # c equals a running count initiated at the beginning of the program, to
    # use variable count.
    print("This will approximate the square root of a number, using a guess-and-check process.")
    x = eval(input("Please type in a positive number to find the square root of: "))
    guess = eval(input("Please type in a guess for the square root of the number you entered: "))
    count = eval(input("Please enter how many times would you like this program to improve your initial guess: ")) 
    avg = average(guess, x)
    g, avg = improveG(guess, x)
    final = goodGuess(avg, x)
    guess = square_root(guess, x, count)
    compare(guess, x)


# Average function is called; is the first step that gives an initial average,
# which implements through smaller layers of simple functions stacked on each
# other.
def average(guess, x) :
    return ((guess + x) / 2)

# An improvement function which builds upon the original average function.
def improveG(guess, x) :
    return average(guess, x/guess)

# A function which determines if the difference between guess X guess minus the
# original number results in an absolute vale less than 0.001. Not taking
# absolute values (like if guess times guess was greater than x) might result
# in errors
from math import *
def goodGuess(avg, x) :
    num = abs(avg * avg - x)
    return (num < 0.001)

# A function that, if not satisfied, continues to "tap" other functions for
# better guess outputs. i.e. as long as the guess is not good enough, keep
# improving the guess.
def square_root(guess, x, count) :
    while(not goodGuess(avg, x)):
        c = 0
        c = c + 1
        if (c < count):
            guess = improveG(guess, x)
        elif (c == count):
            return guess
        else :
            pass

# Function is used to check the difference between guess and the sqrt method
# applied to the user input.
import math
def compare(guess, x):
    diff = math.sqrt(x) - guess
    print("The following is the difference between the approximation") 
    print("and the Math.sqrt method, not rounded:", diff)

sqrtNewt()

В настоящее время я получаю эту ошибку:g, avg = improveG(guess, x) TypeError: 'float' object is not iterable. Последняя функция использует последнюю итерацию предположения для вычитания из метода математического квадратного корня и возвращает общую разницу. Я даже делаю это правильно? Рабочий код будет оценен, с предложениями, если вы можете предоставить его. Опять яЯ новичок, поэтому я прошу прощения за неправильные представления или слепые очевидные ошибки.

Ответы на вопрос(5)

Ваш ответ на вопрос