I am quite new to python, so sorry for the “noob” code if you will say. But please help me : I am trying to add two numbers and show which one is bigger as a boolean value
JavaScript
x
16
16
1
num_1 = input("Enter first number: ")
2
num_2 = input("Enter second number: ")
3
4
num_1 = int(num_1)
5
num_2 = int(num_2)
6
7
Sum = num_1 + num_2
8
9
print(Sum)
10
11
Greater = num_1 > num_2
12
Smaller = num_1 < num_2
13
14
print("is number 1 greater than number 2? " + Greater)
15
print("is number 2 greater than number 1? " + Smaller)
16
Advertisement
Answer
The result of a comparison operator is a boolean (either True
or False
). As the error message says, you can’t concatenate strings with boolean values, as Python is a strongly typed language. You have several options:
Pass them as separate arguments to the
print
function:JavaScript131print("is number 1 greater than number 2?", Greater)
2print("is number 2 greater than number 1?", Smaller)
3
Use an f-string:
JavaScript131print(f"is number 1 greater than number 2? {Greater}")
2print(f"is number 2 greater than number 1? {Smaller}")
3
Use
.format()
:JavaScript131print("is number 1 greater than number 2? {}".format(Greater))
2print("is number 2 greater than number 1? {}".format(Smaller))
3