1. Introduction to List Comprehension

Quiz: 0/5

List comprehension is a concise way to create lists in Python. Instead of using loops and append(), you can generate lists in a single line of code.

Why use list comprehension?

List comprehension is preferred over traditional loops for three main reasons:

  • Conciseness – It reduces the number of lines of code.
  • Readability – The logic is easier to understand at a glance.
  • Performance – It runs faster than using a for loop with append().

Basic syntax

[expression for item in iterable]
  • expression → The operation you want to perform on each item.
  • for item in iterable → Loops through each element in the iterable (like a list or range).

Example: Creating a list of squares

Let's create a list of squares from 1 to 10 using list comprehension.

Using a Traditional Loop

squares = []
for num in range(1, 11):
    squares.append(num ** 2)
print(squares)  # Output: [1, 4, 9, 16, 25, 36, 49, 64, 81, 100]

Using list comprehension

squares = [num ** 2 for num in range(1, 11)]
print(squares)  # Output: [1, 4, 9, 16, 25, 36, 49, 64, 81, 100]

Key differences

Approach Code Length Readability Performance
Traditional Loop Longer Requires more steps Slower
List Comprehension Shorter More intuitive Faster

Hands-On Practise

Exercise: Cube list 

Write a Python program that creates a list of cubes for numbers from 1 to 10 using list comprehension.

Example Output:

[1, 8, 27, 64, 125, 216, 343, 512, 729, 1000]
Output:

Quizzes: 0/5

Question 1:

What is the primary advantage of using list comprehension in Python?

  • It makes the code longer
  • It improves performance and readability
  • It is the only way to create lists in Python
  • It makes debugging easier

Question 2:

Which of the following is the correct syntax for list comprehension?

  • [expression for item in iterable]
  • [for item in iterable: expression]
  • {expression for item in iterable}
  • (expression for item in iterable)

Question 3:

What will be the output of this list comprehension: [x**2 for x in range(1, 6)]?

  • [1, 4, 9, 16, 25]
  • [1, 2, 3, 4, 5]
  • [1, 8, 27, 64, 125]
  • [1, 4, 16, 25, 36]

Question 4:

Which of the following code snippets correctly creates a list of cubes from 1 to 5 using list comprehension?

  • [x ** 3 for x in range(1, 6)]
  • [x * x for x in range(1, 6)]
  • [x ** 2 for x in range(1, 6)]
  • for x in range(1, 6): cubes.append(x ** 3)

Question 5:

Which of the following statements about list comprehension is true?

  • List comprehension is always slower than traditional loops
  • List comprehension must always include an if condition
  • List comprehension can replace simple loops for list creation
  • List comprehension does not support expressions

Feedback

Share your thoughts about this lesson

Discussion

Please log in to create a discussion.
Next lessonConditional List Comprehension