Nested List Comprehensions

Nested List Comprehensions are nothing but a list comprehension within another list comprehension which is quite similar to nested for loops. Below is the program which implements nested loop:

Python




matrix = []
  
for i in range(3):
  
    # Append an empty sublist inside the list
    matrix.append([])
  
    for j in range(5):
        matrix[i].append(j)
  
print(matrix)


Output

[[0, 1, 2, 3, 4], [0, 1, 2, 3, 4], [0, 1, 2, 3, 4]]

Now by using nested list comprehensions, the same output can be generated in fewer lines of code.

Python




# Nested list comprehension
matrix = [[j for j in range(5)] for i in range(3)]
  
print(matrix)


Output

[[0, 1, 2, 3, 4], [0, 1, 2, 3, 4], [0, 1, 2, 3, 4]]

Python – List Comprehension

A Python list comprehension consists of brackets containing the expression, which is executed for each element along with the for loop to iterate over each element in the Python list. 

Example:

Python




numbers = [12, 13, 14,]
doubled = [x *2  for x in numbers]
print(doubled)


Output

[24, 26, 28]

Similar Reads

Python List Comprehension Syntax

...

List Comprehension in Python Example

Syntax: newList = [ expression(element) for element in oldList if condition ]  Parameter: expression: Represents the operation you want to execute on every item within the iterable. element: The term “variable” refers to each value taken from the iterable. iterable: specify the sequence of elements you want to iterate through.(e.g., a list, tuple, or string). condition: (Optional) A filter helps decide whether or not an element should be added to the new list. Return:The return value of a list comprehension is a new list containing the modified elements that satisfy the given criteria. Python List comprehension provides a much more short syntax for creating a new list based on the values of an existing list....

List Comprehensions vs For Loop

Here is an example of using list comprehension to find the square of the number in Python....

Time Analysis in List Comprehensions and Loop

...

Nested List Comprehensions

...

List Comprehensions and Lambda

...

Conditionals in List Comprehension

...

Advantages of List Comprehension

There are various ways to iterate through a list. However, the most common approach is to use the for loop. Let us look at the below example:...

Python List Comprehension Exercise Questions

...