Skip to main content
HomeTutorialsPython

Pandas Reset Index Tutorial

Learn the pandas reset_index() method to reset the index of a DataFrame. Explore the different options available with this method and how to reset the index for simple and multi-level DataFrame.
Jun 2024  · 8 min read

After manipulating and filtering a large dataset, you might end up with the precise DataFrame required. However, this DataFrame retains the original index, which can be non-sequential. In such cases, you need to reset the index of the DataFrame.

In this tutorial, we'll discuss the pandas reset_index() method, which is used to reset the index of a DataFrame. We will explore the different options available with this method. Additionally, we'll cover how to reset the index for simple and multi-level DataFrame.

To practice DataFrame index resetting, we'll use an airline dataset. We will use Datacamp’s Datalab, an interactive environment specifically designed for data analysis in Python, making it a perfect tool to follow along with this tutorial.

What is reset_index?

The reset_index method in Pandas resets the index of a DataFrame to the default one. After operations like filtering, concatenation, or merging, the index may no longer be sequential. This method helps re-establish a clean, sequential index. If the DataFrame has a MultiIndex, it can remove one or more levels.

Basic syntax:

df.reset_index(level=None, drop=False, inplace=False, col_level=0, col_fill="")

Parameters:

  1. level: In a multi-level DataFrame, it takes a level name or a position of the row index that needs to be removed from the index. By default, it removes all levels.
  2. drop: This is a Boolean flag. True – The current row index is not added as a new column in the DataFrame. False (default) – The current row index is added as a new column in the DataFrame.
  3. inplace: This specifies whether to return a new DataFrame or update the existing one. It is a Boolean flag with a default of False.
  4. col_level: If the columns have multiple levels, this determines which level the labels are inserted into. By default, they are inserted into the first level.
  5. col_fill: If the columns have multiple levels, this determines how the other levels are named. If None, the index name is repeated.

Returns:

DataFrame with the new index or None if inplace=True.

How to use reset_index

If you read a CSV file using the pandas read_csv() method without specifying an index, the resulting DataFrame will have a default integer-based index starting from 0 and increasing by 1 for each subsequent row.

import pandas as pd
df = pd.read_csv("airlines_dataset.csv").head()
df

reading airlines dataset

In some cases, you might prefer more descriptive row labels. To achieve this, you can set one of the DataFrame's columns as its index (row labels). When using the read_csv() method to load data from a CSV file, specify the desired column for the index using the index_col parameter.

import pandas as pd
df = pd.read_csv("airlines_dataset.csv", index_col="Operating Airline IATA Code").head()
df

setting the column Operating Airline IATA Code as the new index of the dataframe

Alternatively, you can use the set_index() method to set any column of a DataFrame as the index:

import pandas as pd
df = pd.read_csv("airlines_dataset.csv").head()
df.set_index("Operating Airline IATA Code", inplace=True)
df

Note that the code snippet will make changes to the original DataFrame.

setting the column Operating Airline IATA Code as the new index of the dataframe using set_index method

What If you need to restore the default numeric index? This is where the reset_index() Pandas method comes in.

df.reset_index()

resetting index of the dataframe

The example shows that, after setting column 'Operating Airline IATA Code' as the index, reset_index is used to revert the DataFrame to its default integer index.

Practical Applications of reset_index

The reset_index() method in Pandas is a powerful tool for reorganizing DataFrame indices when you are dealing with filtered datasets, concatenated DataFrames, or multi-level indexes.

Learn more about reshaping DataFrames from a wide to long format, how to stack and unstack rows and columns, and how to wrangle multi-index DataFrames in our online course.

Resetting after filtering

When you filter a DataFrame, the original index is preserved. Using reset_index, you can reindex the filtered DataFrame.

import pandas as pd
df = pd.read_csv("airlines_dataset.csv")

Let's filter the data to select only the rows where the "landing count" is greater than 1000. After filtering, the indices may not be sequential. Then, you can use the reset_index method to reset the index of the filtered DataFrame.

filtered_df = df[df["Landing Count"] > 1000].head()
filtered_df

daraframe where the "landing count" is greater than 1000

The above image shows that the data frame is filtered based on the applied condition, but the index is not sequential. Now, let's use reset_index to reindex the filtered DataFrame and ensure a sequential index. Here's how you can do that:

filtered_df_reset = filtered_df.reset_index()
filtered_df_reset

The index set to sequential

The default behavior of this method includes replacing the existing DataFrame index with a default integer-based one and converting the old index into a new column with the same name (or "index" if it was unnamed).

So, use the parameter drop=True, which ensures the old index is not added as a new column.

filtered_df_reset = filtered_df.reset_index(drop=True)
filtered_df_reset

using drop parameter to remove the old index

Great! The indices are now reset to the default integer index (0, 1, 2, …), providing a clean and sequential index.

Concatenation or merging

When combining DataFrames, the resulting DataFrame might contain duplicate or non-sequential indices. Resetting the index creates a clean, sequential index.

Suppose you have two DataFrames, and you want to concatenate them. I’ve created two DataFrames from the airlines' dataset for demonstration purposes.

import pandas as pd
df = pd.read_csv("airlines_dataset.csv")
split_index = int(df.shape[0] / 2)
df1 = df[:split_index].head()
df2 = df[split_index:].head()

Here’s df1:

dataframe 1 extracted from original dataframe

Here’s df2:

dataframe 2 extracted from original dataframe

Let's concatenate the DataFrames df1 and df2.

df_concat = pd.concat([df1, df2])

concatenated dataframe

The data shows non-sequential indices. We need to reset the index of the concatenated DataFrame to make it sequential.

Let's reset the index of the DataFrame using the reset_index() method in pandas.

df_concat.reset_index()

Need to remove index column

Here’s what the result looks like after resetting the index of the DataFrame. The reset_index method converts the old index into a new column. To remove this extra column, you need to use the drop=True parameter.

df_concat.reset_index(drop=True)

index column removed

Handling multi-level indexing

For DataFrames with hierarchical (multi-level) indexing, reset_index can be used to simplify the DataFrame by converting the multi-level index back into columns.

Let's look at an example of a DataFrame with a multi-level index.

import pandas as pd
df = pd.read_csv(
    "airlines_dataset.csv", index_col=["Aircraft Model", "Operating Airline IATA Code"]
).head()

multiple indexes in a dataframe

If you check its index, you'll see that it isn't a common DataFrame index but a MultiIndex object

multiple indexes in the dataframe

Now, let’s use the pandas reset_index() method, which removes all levels of a MultiIndex:

df.reset_index()

multiindex now becomes sequential

You can see that both levels of the MultiIndex are converted into common DataFrame columns while the index is reset to the default integer-based one.

You can also use the level parameter to remove selected levels from the DataFrame index. It converts the selected levels into common DataFrame columns unless you choose to drop this information completely from the DataFrame using the drop parameter. Let's take a look at it:

df.reset_index(level=["Aircraft Model"])

Operating Airline IATA Code is only remains as the index

The above image shows that "Aircraft Model" is now a regular column in the DataFrame. Only "Operating Airline IATA Code" remains as the index.

Now, if you don't want the index described in the list to become a regular column, you can combine the drop and level parameters to drop it from the DataFrame.

df.reset_index(level=["Aircraft Model"], drop=True)

removed the Aircraft Model column name

The index 'Aircraft Model' has been removed from the index and the DataFrame. The other index, 'Operating Airline IATA Code', has been retained as the current index of the DataFrame.

Advanced Usage and Tips

Preserving the index

Suppose you merge two DataFrames; the resulting merged DataFrame will no longer have sequential indices, as shown in the DataFrame below.

temporary dataframe

Let's reset the index of the DataFrame using the reset_index() method of pandas.

df.reset_index()

need to remove unnecessary index column from the index

The drop determines whether to keep the old index as a column in the DataFrame after resetting the index or drop it completely. By default (drop=False), the old index is kept, as demonstrated in all the previous examples. Alternatively, setting drop=True removes the old index from the DataFrame after resetting.

df.reset_index(drop=True)

index column deleted

Inplace operation

Modify the DataFrame in place using the inplace parameter to avoid creating a new DataFrame.

Suppose you have the below DataFrame:

index is not sequential

Setting the inplace parameter to True ensures that the changes are applied directly to the original DataFrame, avoiding the creation of a separate DataFrame.

df_concat.reset_index(drop=True, inplace=True)
df_concat

index is sequential

Handling duplicates

Manage duplicate indices by resetting and reindexing appropriately.

Suppose you have the data with duplicate indices.

dataframe with duplicate indices

Using reset_index() with drop=True and inplace=True ensures that the resulting DataFrame will have continuous indices, starting from 0 and increasing sequentially.

df.reset_index(drop=True, inplace=True)

index is sequential

Pandas reset_index Common Pitfalls and Troubleshooting

  1. Index Not Resetting: Ensure you are not using the inplace=False parameter if you expect the original DataFrame to be modified. If inplace is set to False, a new DataFrame is returned and the original DataFrame remains unchanged.
  2. Data Loss: Be cautious with the drop parameter to avoid unintentional data loss. Dropping the index will remove the current index values permanently.

Hands-On reset_index Example

Let's apply what we've learned about resetting the DataFrame index and see how resetting the DataFrame index can be useful when dropping missing values.

Our airline dataset has no missing values, so let's use the Netflix Movies and TV shows dataset instead. It has missing values, perfect for demonstrating reset_index().

import pandas as pd
df = pd.read_csv("netflix_shows.csv")
df.head()

dataframe from NaN values

You can see that there are missing values in the DataFrame. Drop rows containing missing values using the dropna() method.

df.dropna(inplace=True)
df.head()

dataframe without NaN values

The rows containing NaN values have been removed from the DataFrame. However, the index is no longer continuous (0, 1, 2, 4). Let's reset it:

df.reset_index()

need to remove unnecessary index column

Now, the index is continuous; however, since we didn't explicitly pass the drop parameter, the old index was converted into a column with the default name index. Let's drop the old index completely from the DataFrame:

df.reset_index(drop=True)

dataset is normal

We have completely removed the meaningless old index, and the current index is now continuous. The final step is to save these modifications to our original DataFrame using the inplace parameter:

df.reset_index(drop=True, inplace=True)

Conclusion

You’ve learned how the reset_index function in Pandas efficiently manages DataFrame indices. Whether handling filtered data, concatenated DataFrames, or complex multi-level indexing, reset_index ensures a clean and organized DataFrame. Its parameters help manage diverse indexing scenarios in data manipulation tasks.

Keep learning to use similar functions to reset_index with DataCamp’s Data Analyst with Python career track


Photo of Satyam Tripathi
Author
Satyam Tripathi
Topics

Top pandas Courses

course

Data Manipulation with pandas

4 hours
376.5K
Learn how to import and clean data, calculate statistics, and create visualizations with pandas.
See DetailsRight Arrow
Start Course
See MoreRight Arrow
Related

tutorial

Pandas Tutorial: DataFrames in Python

Explore data analysis with Python. Pandas DataFrames make manipulating your data easy, from selecting or replacing columns and indices to reshaping your data.
Karlijn Willems's photo

Karlijn Willems

20 min

tutorial

Hierarchical indices, groupby and pandas

In this tutorial, you’ll learn about multi-indices for pandas DataFrames and how they arise naturally from groupby operations on real-world data sets.
Hugo Bowne-Anderson's photo

Hugo Bowne-Anderson

9 min

tutorial

Pandas Sort Values Tutorial

Learn how to sort rows of data in a pandas Dataframe using the .sort_values() function.
DataCamp Team's photo

DataCamp Team

4 min

tutorial

Pandas Drop Duplicates Tutorial

Learn how to drop duplicates in Python using pandas.
DataCamp Team's photo

DataCamp Team

4 min

tutorial

How to Drop Columns in Pandas Tutorial

Learn how to drop columns in a pandas DataFrame.
DataCamp Team's photo

DataCamp Team

3 min

tutorial

Pandas Add Column Tutorial

You are never stuck with just the data you are given. Instead, you can add new columns to a DataFrame.
DataCamp Team's photo

DataCamp Team

4 min

See MoreSee More