DEV Community

Cover image for Guide to Python's CSV Module
Developer Service
Developer Service

Posted on • Originally published at developer-service.blog

Guide to Python's CSV Module

Working with data is an inevitable part of programming, and as someone who often finds themselves knee-deep in various file formats, I’ve always appreciated how Python simplifies the whole process.

One such file format that comes up regularly, particularly in data analysis, is the CSV file.

The CSV, or Comma-Separated Values, is a popular data exchange format due to its simplicity.

Luckily, Python comes with a built-in module called csv, which makes working with these files remarkably efficient.

In this article, I’ll break down how the csv module works in Python, from basic usage to more advanced techniques that can save you tons of time when processing data.


What Is a CSV File?

Before diving into the csv module, let’s start with a basic understanding of what a CSV file is.

A CSV file is essentially a plain text file where each line represents a row of data, and each value is separated by a comma (or sometimes other delimiters like tabs).

Here's a quick example of what it might look like:

Name,Age,Occupation
Alice,30,Engineer
Bob,25,Data Scientist
Charlie,35,Teacher
Enter fullscreen mode Exit fullscreen mode

Why the csv Module?

You might wonder why you'd need the csv module when CSV files are just text files that could theoretically be read using Python's standard file handling methods.

While this is true, CSV files can have complexities—like embedded commas, line breaks within cells, and different delimiters—that are tricky to handle manually.

The csv module abstracts all of this, letting you focus on your data.


Reading CSV Files

Let’s jump into the code.

The most common operation you'll perform on a CSV file is reading its contents.

The csv.reader() function in the module is an easy-to-use tool for that.

Here's a step-by-step guide on how to do it.

Basic CSV Reading

import csv

# Open a CSV file
with open('example.csv', 'r') as file:
    reader = csv.reader(file)

    # Iterate over the rows
    for row in reader:
        print(row)
Enter fullscreen mode Exit fullscreen mode

This is the simplest way to read a CSV file.

The csv.reader() returns an iterable, where each iteration gives you a list representing a row of the file.

Handling Headers
Most CSV files come with headers in the first row, like column names.

If you don’t need these headers, you can simply skip the first row when iterating:

import csv

with open('example.csv', 'r') as file:
    reader = csv.reader(file)

    # Skip header
    next(reader)

    for row in reader:
        print(row)
Enter fullscreen mode Exit fullscreen mode

Sometimes, I’m working with files that contain a mix of useful and irrelevant data, and I find myself skipping rows based on more than just the header.

You can do this easily within the for loop.

DictReader: A More Intuitive Way to Read CSV Files
If your CSV file has headers, the csv.DictReader() is another fantastic option that reads each row as a dictionary, with the keys being the column names:

import csv

with open('example.csv', 'r') as file:
    reader = csv.DictReader(file)

    for row in reader:
        print(row)
Enter fullscreen mode Exit fullscreen mode

This approach can make your code more readable and intuitive, especially when working with large datasets.

For example, accessing row['Name'] feels much clearer than dealing with index-based access like row[0].


Writing to CSV Files

Once you’ve read and processed your data, chances are you'll want to save or export it.

The csv.writer() function is your go-to tool for writing to CSV files.

Basic CSV Writing

import csv

# Data to be written
data = [
    ['Name', 'Age', 'Occupation'],
    ['Alice', 30, 'Engineer'],
    ['Bob', 25, 'Data Scientist'],
    ['Charlie', 35, 'Teacher']
]

# Open a file in write mode
with open('output.csv', 'w', newline='') as file:
    writer = csv.writer(file)

    # Write data to the file
    writer.writerows(data)

Enter fullscreen mode Exit fullscreen mode

The writer.writerows() function takes a list of lists and writes them to the CSV file, where each inner list represents a row of data.

DictWriter: A Cleaner Way to Write CSV Files
Just as we have DictReader for reading CSV files into dictionaries, we have DictWriter for writing dictionaries to a CSV.

This method can be particularly handy when you want to specify your column names explicitly.

import csv

# Data as list of dictionaries
data = [
    {'Name': 'Alice', 'Age': 30, 'Occupation': 'Engineer'},
    {'Name': 'Bob', 'Age': 25, 'Occupation': 'Data Scientist'},
    {'Name': 'Charlie', 'Age': 35, 'Occupation': 'Teacher'}
]

# Open file for writing
with open('output.csv', 'w', newline='') as file:
    fieldnames = ['Name', 'Age', 'Occupation']
    writer = csv.DictWriter(file, fieldnames=fieldnames)

    # Write the header
    writer.writeheader()

    # Write the data
    writer.writerows(data)
Enter fullscreen mode Exit fullscreen mode

Using DictWriter, you get a nice, clean interface to write dictionaries to CSV while keeping your code readable and concise.


Customizing Delimiters

By default, the CSV module uses commas to separate values, but sometimes you might be working with files that use other delimiters, such as tabs or semicolons.

The csv module provides an easy way to handle these cases by specifying the delimiter argument.

import csv

with open('example_tab.csv', 'r') as file:
    reader = csv.reader(file, delimiter='\t')

    for row in reader:
        print(row)
Enter fullscreen mode Exit fullscreen mode

I’ve come across CSV files that use semicolons instead of commas—usually from European sources—and it’s comforting to know that Python’s csv module handles this with ease.

Whether it's commas, tabs, or any other delimiter, the csv module has got you covered.


Handling Complex Data

What if your data contains commas within fields, quotes, or even line breaks?

The CSV module automatically handles such cases by using quoting mechanisms.

You can also control how quoting works using the quoting parameter.

import csv

data = [
    ['Name', 'Occupation', 'Description'],
    ['Alice', 'Engineer', 'Works on, "cutting-edge" technology'],
    ['Bob', 'Data Scientist', 'Loves analyzing data.']
]

with open('complex.csv', 'w', newline='') as file:
    writer = csv.writer(file, quoting=csv.QUOTE_ALL)
    writer.writerows(data)
Enter fullscreen mode Exit fullscreen mode

In this example, QUOTE_ALL ensures that every field is wrapped in quotes.

Other quoting options include csv.QUOTE_MINIMAL, csv.QUOTE_NONNUMERIC, and csv.QUOTE_NONE, giving you full control over how your CSV data is formatted.


Conclusion

Over the years, I’ve come to rely on the CSV format as a lightweight, efficient way to move data around, and Python’s csv module has been a trusty companion in that journey.

Whether you’re dealing with simple spreadsheets or complex, multi-line data fields, this module makes the process feel intuitive and effortless.

While working with CSVs may seem like a mundane task at first, it’s a gateway to mastering data manipulation.

In my experience, once you’ve conquered CSVs, you'll find yourself confidently tackling larger, more complex formats like JSON or SQL databases. After all, everything starts with the basics.

Top comments (0)