web-dev-qa-db-ja.com

pandasデータフレームの単一のインデックス値を変更するにはどうすればよいですか?

energy.loc['Republic of Korea']

インデックスの値を「韓国」から「韓国」に変更したいです。ただし、データフレームが大きすぎるため、すべてのインデックス値を変更することはできません。この単一の値のみを変更するにはどうすればよいですか?

27
user517696

あなたはこのようなことをしたい:

as_list = df.index.tolist()
idx = as_list.index('Republic of Korea')
as_list[idx] = 'South Korea'
df.index = as_list

基本的に、インデックスをリストとして取得し、その1つの要素を変更して、既存のインデックスを置き換えます。

48
Batman

@EdChumのソリューションは良さそうです。次に、名前変更を使用する方法を示します。これは、インデックス内のこれらすべての値を置き換えます。

energy.rename(index={'Republic of Korea':'South Korea'},inplace=True)

ここに例があります

>>> example = pd.DataFrame({'key1' : ['a','a','a','b','a','b'],
           'data1' : [1,2,2,3,nan,4],
           'data2' : list('abcdef')})
>>> example.set_index('key1',inplace=True)
>>> example
      data1 data2
key1             
a       1.0     a
a       2.0     b
a       2.0     c
b       3.0     d
a       NaN     e
b       4.0     f

>>> example.rename(index={'a':'c'}) # can also use inplace=True
      data1 data2
key1             
c       1.0     a
c       2.0     b
c       2.0     c
b       3.0     d
c       NaN     e
b       4.0     f
20
ErnestScribbler

カラムで replace を使用するもう1つの良い例があります。

df.reset_index(inplace=True)
df.drop('index', axis = 1, inplace=True)
df["Country"].replace("Republic of Korea", value="South Korea", inplace=True)
df.set_index("Country", inplace=True)
7
Andrea C

MultiIndex DataFrameがある場合、これを行います:

# input DataFrame
import pandas as pd
t = pd.DataFrame(data={'i1':[0,0,0,0,1,1,1,1,2,2,2,2],
                       'i2':[0,1,2,3,0,1,2,3,0,1,2,3],
                       'x':[1.,2.,3.,4.,5.,6.,7.,8.,9.,10.,11.,12.]})
t.set_index(['i1','i2'], inplace=True)
t.sort_index(inplace=True)

# changes index level 'i1' values 0 to -1
t.rename(index={0:-1}, level='i1', inplace=True)
4
S.V

set_valueに基づく別のアイデアがあります

df = df.reset_index()
df.drop('index', axis = 1, inplace=True)
index = df.index[df["Country"] == "Republic of Korea"]
df.set_value(index, "Country", "South Korea")
df = df.set_index("Country")
df["Country"] = df.index
2
Andrea C

これを試して

df.rename(index={'Republic of Korea':'South Korea'},inplace=True)
0
Abdul Rafay