Open In App

Break a list comprehension Python

Last Updated : 06 Feb, 2024
Improve
Improve
Like Article
Like
Save
Share
Report

Python’s list comprehensions offer a concise and readable way to create lists. While list comprehensions are powerful and expressive, there might be scenarios where you want to include a break statement, similar to how it’s used in loops. In this article, we will explore five different methods to incorporate the ‘break’ statement in Python list comprehensions.

Python: ‘Break’ In List Comprehension

Below, are the example of Python: ‘Break’ In List Comprehension in Python.

Python: ‘Break’ In List Comprehension Using ‘if’ Condition

In this example, below code creates a new list, `filtered_list`, containing elements from `original_list` that are less than 6 using a concise Python list comprehension, and then prints the result.

Python3




original_list = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
filtered_list = [x for x in original_list if x < 6]
print(filtered_list)


Output

[1, 2, 3, 4, 5]


Python: ‘Break’ In List Comprehension Using Enumerate() Function

In this example, below code creates `filtered_list` using a list comprehension and the `enumerate` function, including elements from `original_list` based on their index (`i`) only if the index is less than the specified `break_value` (6).

Python3




original_list = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
break_value = 6
filtered_list = [x for i, x in enumerate(original_list) if i < break_value]
print(filtered_list)


Output

[1, 2, 3, 4, 5, 6]


Python: ‘Break’ In List Comprehension Using a Function

In this example, below code defines a function `condition_check` that returns `True` if the input `x` is less than 6. It then applies this condition in a list comprehension to create `filtered_list` containing elements from `original_list` that satisfy the condition.

Python3




def condition_check(x):
    return x < 6
 
original_list = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
filtered_list = [x for x in original_list if condition_check(x)]
print(filtered_list)


Output

[1, 2, 3, 4, 5]


Conclusion

Python list comprehensions are a powerful tool for creating concise and readable code. While they do not have a direct ‘break’ statement, these methods allow you to achieve similar functionality within list comprehensions. Depending on the scenario, you can choose the method that best fits your needs for breaking out of the list comprehension loop based on specific conditions.



Like Article
Suggest improvement
Share your thoughts in the comments

Similar Reads