How To Check If The N-th Element Exists In A Python List?
I have a list in python x = ['a','b','c'] with 3 elements. I want to check if a 4th element exists without receiving an error message. How would I do that?
Solution 1:
You check for the length:
len(x) >= 4
or you catch the IndexError
exception:
try:
value = x[3]
except IndexError:
value = None # no 4th index
What you use depends on how often you can expect there to be a 4th value. If it is usually there, use the exception handler (better to ask forgiveness); if you mostly do not have a 4th value, test for the length (look before you leap).
Solution 2:
You want to check if the list is 4 or more elements long?
len(x) >= 4
You want to check if what would be the fourth element in a series is in a list?
'd' in x
Post a Comment for "How To Check If The N-th Element Exists In A Python List?"