私は与えられた数までの完全な正方形を計算する簡単なプログラムを書いています。私のコードは次のとおりです。私はいくつかの機能にコードの私のブロックを抽出しようとしています関数を抽出する
"""Print all the perfect squares from zero up to a given maximum."""
def main():
"""Even the main function needs a docstring to keep pylint happy"""
upper_bound = None
while upper_bound is None:
line = input("Enter the upper bound: ")
if line.isnumeric():
upper_bound = int(line)
else:
print("You must enter a positive number.")
squares = []
for num in range(2, upper_bound + 1):
for candidate in range(1, num):
if candidate * candidate == num:
squares.append(num)
print("The perfect squares up to {} are: ".format(upper_bound))
for square in squares:
print(square, end=' ')
print()
、私は可能な解決策だと思った何が出ているが、それは私に与えたとして、残念ながら私はそれを実行することができませんでしたエラーunsupported operand type(s) for +: 'NoneType' and 'int'
。私はこの問題の原因を見つけることができないようで、私の解決策が悪いのかどうか、もしあれば何が良いのだろうと思っていましたか?
私の試み
"""Print all the perfect squares from zero up to a given maximum."""
def read_bound():
"""Reads the upper bound from the standard input (keyboard).
If the user enters something that is not a positive integer
the function issues an error message and retries
repeatedly"""
line = input("Enter the upper bound: ")
if line.isnumeric() and int(line) >= 0:
upper_bound = int(line)
else:
print("You must enter a positive number.")
def is_perfect_square(num):
"""Return true if and only if num is a perfect square"""
for num in range(2, upper_bound + 1):
for candidate in range(1, num):
if candidate * candidate == num:
return True
def print_squares(upper_bound, squares):
"""Print a given list of all the squares up to a given upper bound"""
print("The perfect squares up to {} are: ". format(upper_bound))
for square in squares:
print(square, end= ' ')
def main():
"""Calling the functions"""
upper_bound = read_bound()
squares = []
for num in range(2, upper_bound + 1):
if is_perfect_square(num):
squares.append(num)
print_squares(upper_bound, squares)
main()
ヒント: ' – balki
私はもともと含まれていることだったが、それは私がなっていたエラーを修正したが、悲しいことにそれは問題ではなかったかどうかを確認するためにそれを取った:あなたはUPPER_BOUNDがNoneながら'元のコードでは、whileループを逃しましただから私は別の解決策を探しています –