Equal

In [1]:
2 == 2
Out[1]:
True
In [2]:
1 == 0
Out[2]:
False

Note that == is a comparison operator, while = is an assignment operator.

Not Equal

In [3]:
2 != 1
Out[3]:
True
In [4]:
2 != 2
Out[4]:
False

Greater Than

In [5]:
2 > 1
Out[5]:
True
In [6]:
2 > 4
Out[6]:
False

Less Than

In [7]:
2 < 4
Out[7]:
True
In [8]:
2 < 1
Out[8]:
False

Greater Than or Equal to

In [9]:
2 >= 2
Out[9]:
True
In [10]:
2 >= 1
Out[10]:
True

Less than or Equal to

In [11]:
2 <= 2
Out[11]:
True
In [12]:
2 <= 4
Out[12]:
True

Chained Comparison Operators

An interesting feature of Python is the ability to chain multiple comparisons to perform a more complex test. You can use these chained comparisons as shorthand for larger Boolean Expressions.

In this lecture we will learn how to chain comparison operators and we will also introduce two other important statements in Python: and and or.

Let's look at a few examples of using chains:

In [1]:
1 < 2 < 3
Out[1]:
True

The above statement checks if 1 was less than 2 and if 2 was less than 3. We could have written this using an and statement in Python:

In [2]:
1<2 and 2<3
Out[2]:
True

The and is used to make sure two checks have to be true in order for the total check to be true. Let's see another example:

In [3]:
1 < 3 > 2
Out[3]:
True

The above checks if 3 is larger than both of the other numbers, so you could use and to rewrite it as:

In [4]:
1<3 and 3>2
Out[4]:
True

It's important to note that Python is checking both instances of the comparisons. We can also use or to write comparisons in Python. For example:

In [5]:
1==2 or 2<3
Out[5]:
True

Note how it was true; this is because with the or operator, we only need one or the other to be true. Let's see one more example to drive this home:

In [6]:
1==1 or 100==1
Out[6]:
True

Great! Go over each comparison operator to make sure you understand what each one is saying. But hopefully this was straightforward for you. Hope You should have a comfortable understanding of using and and or statements as well as reading chained comparison code.

Happy Learning..