I would like to make a program that asks how many bills of each type you got, to do this I wanted to use a for loop and a list.
I did this little test:
JavaScript
x
5
1
types_of_bills = [2, 5, 10]
2
3
for i in types_of_bills:
4
amount_of_bills = int(input("How many {}$ bills have you got?".format(types_of_bills)[i])))
5
This only prints, not all three choices as I want:
JavaScript
1
2
1
How many 10$ bills have you got?
2
And when I give any input it gives me this error:
JavaScript
1
2
1
cantidad_de_billetes = int(input("How many {}$ have you got?".format(bills[i])))
2
ValueError: invalid literal for int() with base 10: ”
Advertisement
Answer
You do not need to use index like – (types_of_bills)[i]
, you can just use i
–
JavaScript
1
5
1
types_of_bills = [2, 5, 10]
2
3
for i in types_of_bills:
4
amount_of_bills = int(input("How many {}$ bills have you got? ".format(i)))
5
Output –
JavaScript
1
4
1
How many 2$ bills have you got? 1
2
How many 5$ bills have you got? 2
3
How many 10$ bills have you got? 3
4
You will get ValueError: invalid literal for int() with base 10
, because of giving input something other than a integer
Also, instead of .format
, you can use f-strings
because it is much easier to read –
JavaScript
1
2
1
amount_of_bills = int(input(f"How many {i}$ bills have you got? "))
2
Check this out – Python 3 f-string