1. ホーム
  2. python

[解決済み】"順序付けできない型:int() < str()"

2022-02-19 02:39:17

質問

今、Pythonで退職金計算機を作ろうとしています。構文に問題はないのですが、次のプログラムを実行すると

def main():
    print("Let me Retire Financial Calculator")
    deposit = input("Please input annual deposit in dollars: $")
    rate = input ("Please input annual rate in percentage: %")
    time = input("How many years until retirement?")
    x = 0
    value = 0
    while (x < time):
        x = x + 1
        value = (value * rate) + deposit
        print("The value of your account after" +str(time) + "years will be $" + str(value))

と教えてくれる。

Traceback (most recent call last):
  File "/Users/myname/Documents/Let Me Retire.py", line 8, in <module>
    while (x < time):
TypeError: unorderable types: int() < str()

これを解決する方法はありますか?

どのように解決するのですか?

ここで問題となるのは input() Python 3.xでは文字列を返すので、比較を行うとき、文字列と整数を比較することになりますが、これはうまく定義できません(文字列が単語だったらどうするか、文字列と数字をどうやって比較するか)。

これを解決するには、単純に int() を使って文字列を整数に変換しています。

int(input(...))

注意点として、10進数を扱う場合は、以下のいずれかを使用する必要があります。 float() または decimal.Decimal() (正確さとスピードの必要性に応じて)。

よりパイソン的な方法で、一連の数値をループさせることに注意してください ( while ループとカウント) を使用することです。 range() . 例えば

def main():
    print("Let me Retire Financial Calculator")
    deposit = float(input("Please input annual deposit in dollars: $"))
    rate = int(input ("Please input annual rate in percentage: %")) / 100
    time = int(input("How many years until retirement?"))
    value = 0
    for x in range(1, time+1):
        value = (value * rate) + deposit
        print("The value of your account after" + str(x) + "years will be $" + str(value))