How to rename columns in Pandas using a list in Python
A guide on how to rename columns in a Pandas DataFrame using a list of new names. This makes it easy to update or change column names when working with data in Python.
This article will guide you on how to rename columns in a Pandas DataFrame by using a list of new column names. This is an easy and efficient way to replace old column names with new ones in data manipulation tasks.
Python Code
import pandas as pd
# Create a sample DataFrame
df = pd.DataFrame({
'old_col1': [1, 2, 3],
'old_col2': [4, 5, 6],
'old_col3': [7, 8, 9]
})
# List of new column names
new_column_names = ['new_col1', 'new_col2', 'new_col3']
# Rename the columns using the list
df.columns = new_column_names
# Print the DataFrame after renaming
print(df)
Detailed explanation:
-
import pandas as pd
: Imports the Pandas library to work with DataFrames. -
df = pd.DataFrame(...)
: Creates a DataFrame with initial column namesold_col1
,old_col2
,old_col3
. -
new_column_names = [...]
: Creates a list with the new column names you want to use. -
df.columns = new_column_names
: Assigns the new column names to the DataFrame by modifying thecolumns
attribute. -
print(df)
: Prints the DataFrame after the columns have been renamed.
System requirements:
- Python 3.6 or above
- Pandas version 1.0.0 or above
How to install the libraries needed to run the Python code above:
If you don't have Pandas installed, you can install it using pip:
pip install pandas
Tips:
- Ensure that the list of new names has the same length as the number of columns in the DataFrame to avoid errors.
- Use this method when you want to rename all columns at once. If you need to rename only a few columns, consider using the
rename
method instead.