I would like to rename the columns of my Pandas Dataframe, according to the dictionary located in another Dataframe.
For example, I have the DF1:
And I would like to rename the name of the df1 columns according to this dictionary:
My goal is to automatically obtain a dataframe with the following changes:
PS. I would like to rename the column after the word "fields", to keep the format "field.CHANGE_NAME".
### data for the first dataframe
data1 = {
"field.customfield_1032": [48,30,28,38],
"field.customfield_1031": ["RSA", "RSB", "RSC", "RSD"],
"field.customfield_1030": ["Thornton", "MacGyver", "Dalton", "Murdoc "]
}
df1 = pd.DataFrame(data1)
print(df1)
### data for the second dataframe, this is the diccionary with the data
data2 = {"field.ID": ['field.customfield_1030','field.customfield_1031','field.customfield_1032'],
"field.Name": ['Surname','ID', 'Age'],}
df2 = pd.DataFrame(data2)
print(df2)
How could I achieve this?
Thank you in advance.
CodePudding user response:
Let's try
out = df1.rename(columns=dict(df2.values)).add_prefix('field.')
print(out)
field.Age field.ID field.Surname
0 48 RSA Thornton
1 30 RSB MacGyver
2 28 RSC Dalton
3 38 RSD Murdoc
CodePudding user response:
Map the columns to the dict from the combination of df2['field.ID']
& df2['field.Name']
Here is the solution:
df1.columns = df1.columns.map({x: f"field.{y}" for x, y in zip(df2['field.ID'], df2['field.Name'])})
print(df1)
field.Age field.ID field.Surname
0 48 RSA Thornton
1 30 RSB MacGyver
2 28 RSC Dalton
3 38 RSD Murdoc