你的问题有点模棱两可。至少有三种两种解释:
- 中的键是
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
我已经修改了您原始帖子中的值,因此更清楚update
正在做什么。请注意其中的键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
更改 in 中的键以匹配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
and 2
,使用 Python 的基于 0 的索引指的是第一和第三位置。