str.findall()
をpandasデータフレームの列に適用した後、list
のような)角括弧内の値を思い付きました。ブラケット?
print df
id value
1 [63]
2 [65]
3 [64]
4 [53]
5 [13]
6 [34]
列value
の値がlist
型である場合、次を使用します。
df['value'] = df['value'].str[0]
または:
df['value'] = df['value'].str.get(0)
ドキュメント 。
サンプル:
df = pd.DataFrame({'value':[[63],[65],[64]]})
print (df)
value
0 [63]
1 [65]
2 [64]
#check type if index 0 exist
print (type(df.loc[0, 'value']))
<class 'list'>
#check type generally, index can be `DatetimeIndex`, `FloatIndex`...
print (type(df.loc[df.index[0], 'value']))
<class 'list'>
df['value'] = df['value'].str.get(0)
print (df)
value
0 63
1 65
2 64
strings
を使用する場合 str.strip
その後、 astype
で数値に変換します。
df['value'] = df['value'].str.strip('[]').astype(int)
サンプル:
df = pd.DataFrame({'value':['[63]','[65]','[64]']})
print (df)
value
0 [63]
1 [65]
2 [64]
#check type if index 0 exist
print (type(df.loc[0, 'value']))
<class 'str'>
#check type generally, index can be `DatetimeIndex`, `FloatIndex`...
print (type(df.loc[df.index[0], 'value']))
<class 'str'>
df['value'] = df['value'].str.strip('[]').astype(int)
print (df)
value
0 63
1 65
2 64
文字列であれば、string.replaceメソッドも使用できます
import pandas as pd
df =pd.DataFrame({'value':['[63]','[65]','[64]']})
print(df)
value
0 [63]
1 [65]
2 [64]
df['value'] = df['value'].apply(lambda x: x.replace('[','').replace(']',''))
#convert the string columns to int
df['value'] = df['value'].astype(int)
#output
print(df)
value
0 63
1 65
2 64
print(df.dtypes)
value int32
dtype: object