How to skip n rows while reading a csv file with pandas package?

Pandas provides an easy way to skip rows when reading a csv file. This can be done by specifying the parameter “skiprows” when reading the csv file. The “skiprows” parameter is a list of row numbers to skip. For example, if you wanted to skip the first 10 rows, you would specify skiprows = list(range(10)). Additionally, you can also use the “skipfooter” parameter to skip a certain number of rows from the bottom of the file.


You can use the following methods to skip rows when reading a CSV file into a pandas DataFrame:

Method 1: Skip One Specific Row

#import DataFrame and skip 2nd row
df = pd.read_csv('my_data.csv', skiprows=[2])

Method 2: Skip Several Specific Rows

#import DataFrame and skip 2nd and 4th row
df = pd.read_csv('my_data.csv', skiprows=[2, 4])

Method 3: Skip First N Rows

#import DataFrame and skip first 2 rows
df = pd.read_csv('my_data.csv', skiprows=2)

The following examples show how to use each method in practice with the following CSV file called basketball_data.csv:

Example 1: Skip One Specific Row

We can use the following code to import the CSV file and skip the second row:

import pandas as pd

#import DataFrame and skip 2nd row
df = pd.read_csv('basketball_data.csv', skiprows=[2])

#view DataFrame
df

        team	points	rebounds
0	A	22	10
1	C	29	6
2	D	30	2

Notice that the second row (with team ‘B’) was skipped when importing the CSV file into the pandas DataFrame.

Note: The first row in the CSV file is considered to be row 0.

Example 2: Skip Several Specific Rows

We can use the following code to import the CSV file and skip the second and fourth rows:

import pandas as pd

#import DataFrame and skip 2nd and 4th rows
df = pd.read_csv('basketball_data.csv', skiprows=[2, 4])

#view DataFrame
df

        team	points	rebounds
0	A	22	10
1	C	29	6

Example 3: Skip First N Rows

We can use the following code to import the CSV file and skip the first two rows:

import pandas as pd

#import DataFrame and skip first 2 rows
df = pd.read_csv('basketball_data.csv', skiprows=2)

#view DataFrame
df

        B	14	9
0	C	29	6
1	D	30	2

Notice that the first two rows in the CSV file were skipped and the next available row (with team ‘B’) became the header row for the DataFrame.

The following tutorials explain how to perform other common tasks in Python:

How to Export NumPy Array to CSV File

x