Skip to content

Instantly share code, notes, and snippets.

Show Gist options
  • Save KeyurRamoliya/5c26e67496daa7a25af430ab7aea1aea to your computer and use it in GitHub Desktop.
Save KeyurRamoliya/5c26e67496daa7a25af430ab7aea1aea to your computer and use it in GitHub Desktop.
List Comprehensions for Filtering and Transforming Lists

List Comprehensions for Filtering and Transforming Lists

List comprehensions are a concise and powerful way to create, filter, and transform lists in Python. They provide a more readable and Pythonic approach than traditional loops when working with lists. Here's a quick overview of list comprehensions:

Basic List Comprehension:

You can create a new list by applying an expression to each item in an existing iterable (e.g., a list, tuple, or range). The basic syntax is:

new_list = [expression for item in iterable]

For example, if you want to create a list of squares for numbers from 1 to 5:

squares = [x ** 2 for x in range(1, 6)]

List Comprehension with Condition:

You can include a condition to filter items from the iterable based on certain criteria. The syntax is:

new_list = [expression for item in iterable if condition]

For example, to create a list of even squares for numbers from 1 to 10:

even_squares = [x ** 2 for x in range(1, 11) if x % 2 == 0]

Nested List Comprehension:

You can also nest list comprehensions for more complex operations. For instance, to create a list of all pairs of numbers from two lists:

list1 = [1, 2, 3]
list2 = ['a', 'b']
pairs = [(x, y) for x in list1 for y in list2]

List comprehensions can significantly simplify your code and make it more readable. However, keep in mind that they should not be overly complex. If your list comprehension becomes too long or hard to understand, using traditional loops for clarity may be better.

By mastering list comprehensions, you'll write more concise and expressive code when working with lists in Python.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment