你的问题有点模棱两可。至少有三种两种解释:
di中的键是指索引值
di中的键指df['col1']值
di中的键指的是索引位置(不是OP的问题,只是为了好玩)。
下面是针对每种情况的解决方案。
案例1:
如果di的键是指索引值,那么你可以使用update方法:
df['col1'].update(pd.Series(di))
例如,
import pandas as pd
import numpy as np
df = pd.DataFrame({'col1':['w', 10, 20],
'col2': ['a', 30, np.nan]},
index=[1,2,0])
# col1 col2
# 1 w a
# 2 10 30
# 0 20 NaN
di = {0: "A", 2: "B"}
# The value at the 0-index is mapped to 'A', the value at the 2-index is mapped to 'B'
df['col1'].update(pd.Series(di))
print(df)
收益率
col1 col2
1 w a
2 B 30
0 A NaN
我已经修改了你的原始帖子的值,所以它是更清楚的更新正在做什么。
注意di中的键是如何与索引值相关联的。索引值的顺序(即索引位置)并不重要。
案例2:
如果di中的键指向df['col1']值,那么@DanAllan和@DSM显示了如何使用replace实现这一点:
import pandas as pd
import numpy as np
df = pd.DataFrame({'col1':['w', 10, 20],
'col2': ['a', 30, np.nan]},
index=[1,2,0])
print(df)
# col1 col2
# 1 w a
# 2 10 30
# 0 20 NaN
di = {10: "A", 20: "B"}
# The values 10 and 20 are replaced by 'A' and 'B'
df['col1'].replace(di, inplace=True)
print(df)
收益率
col1 col2
1 w a
2 A 30
0 B NaN
注意在本例中di中的键是如何被更改为匹配df['col1']中的值的。
案例3:
如果di中的键指向索引位置,则可以使用
df['col1'].put(di.keys(), di.values())
自
df = pd.DataFrame({'col1':['w', 10, 20],
'col2': ['a', 30, np.nan]},
index=[1,2,0])
di = {0: "A", 2: "B"}
# The values at the 0 and 2 index locations are replaced by 'A' and 'B'
df['col1'].put(di.keys(), di.values())
print(df)
收益率
col1 col2
1 A a
2 10 30
0 B NaN
在这里,第一行和第三行被改变了,因为di中的键是0和2,在Python基于0的索引中,它们指的是第一行和第三个位置。