How to check if an element is in a list or not in python ?

Published: June 01, 2020

Tags: Python; List;

DMCA.com Protection Status

Examples of how to check if an element is in a list or not in python:

1 -- Create a liste

Lets create for instance the following list:

>>> l
['a', 'b', 'c', 'd', 'e', 'f']

2 -- Check if an element is in the list

To check if the element 'c' is in the list called here l, a solution is to use the following logical expression:

>>> 'c' in l
True

check now if 'g' is in the list

>>> 'g' in l

returns here:

False

Can then be used with if, illustration:

>>> if 'c' in l: print('do something !')

returns:

do something !

3 -- Check if an element is not in the list

To check if an element is not in a list, a solution is to use the expression 'not in', example:

>>> 'h' not in l
True

4 -- Another examples

Example 1

>>> l = ['Coucou','Salut','Bonjour','He']
>>> 'Salut' in l
True
>>> 'Hello' in l
False

Example 2

>>> l = [3,1,7,5]
>>> 7 in l
True
>>> 2 in l
False

5 -- References