If you’re learning Python, understanding relational operators is essential for comparing values and making decisions in your code. In this blog, we’ll break down what relational operators are, how they work, and provide practical examples to help you master them.
What Are Relational Operators in Python?
Relational operators (also called comparison operators) are used to compare two values and determine the relationship between them. These operators return a Boolean value (True
or False
) based on whether the comparison is valid.
List of Python Relational Operators
Operator | Name | Example | Result |
---|---|---|---|
> | Greater Than | 5 > 3 | True |
< | Less Than | 5 < 3 | False |
== | Equal To | 5 == 5 | True |
!= | Not Equal To | 5 != 3 | True |
>= | Greater Than or Equal To | 5 >= 5 | True |
<= | Less Than or Equal To | 5 <= 3 | False |
How Relational Operators Work (With Examples)
1. Greater Than (>
) and Less Than (<
)
These operators check if one value is larger or smaller than another.
print(5 > 3) # True (5 is greater than 3)
print(5 < 3) # False (5 is not less than 3)
2. Equal To (==
) and Not Equal To (!=
)
==
checks if two values are equal.!=
checks if two values are not equal.
print(5 == 5) # True (both values are equal)
print(5 != 3) # True (5 is not equal to 3)
⚠ Note: Don’t confuse ==
(equality check) with =
(assignment operator).
3. Greater Than or Equal To (>=
) and Less Than or Equal To (<=
)
These operators check if a value is either greater/less than or equal to another value.
print(5 >= 5) # True (5 is equal to 5)
print(5 <= 3) # False (5 is neither less than nor equal to 3)
Why Are Relational Operators Important?
- Used in conditional statements (
if
,else
,elif
). - Help in decision-making in programs (e.g., checking user input, validating data).
- Essential for loops and filtering data.
Watch the Full Tutorial
For a more detailed explanation with live coding examples, check out our video tutorial:
Python Relational Operators Explained in Hindi
Key Takeaways
✅ Relational operators compare two values and return True
or False
.
✅ They include >
, <
, ==
, !=
, >=
, and <=
.
✅ Essential for conditions, loops, and data validation.
FAQs
Q1. What is the difference between =
and ==
in Python?
=
is an assignment operator (e.g.,x = 5
).==
is a comparison operator (e.g.,5 == 5
returnsTrue
).
Q2. Can relational operators be used with strings?
Yes! They compare strings lexicographically (based on Unicode values).
print("apple" > "banana") # False ('a' comes before 'b')
Conclusion
Relational operators are fundamental in Python for making comparisons and controlling program flow. Practice these examples to strengthen your understanding!