web-dev-qa-db-ja.com

Python pandas:文字列の区切り文字の後のすべてを削除します

私は例えばを含むデータフレームを持っています:

"vendor a::ProductA"
"vendor b::ProductA
"vendor a::Productb"

2つの::をすべて(および含む)削除する必要があるため、次のようになります。

"vendor a"
"vendor b"
"vendor a"

Str.trim(存在しないようです)とstr.splitを試してみましたが成功しませんでした。これを達成する最も簡単な方法は何ですか?

13
f0rd42

splitを通常使用するのと同じように、pandas.Series.str.splitを使用できます。文字列'::'で分割し、splitメソッドから作成されたリストにインデックスを付けるだけです。

>>> df = pd.DataFrame({'text': ["vendor a::ProductA", "vendor b::ProductA", "vendor a::Productb"]})
>>> df
                 text
0  vendor a::ProductA
1  vendor b::ProductA
2  vendor a::Productb
>>> df['text_new'] = df['text'].str.split('::').str[0]
>>> df
                 text  text_new
0  vendor a::ProductA  vendor a
1  vendor b::ProductA  vendor b
2  vendor a::Productb  vendor a

パンダ以外のソリューションを次に示します。

>>> df['text_new1'] = [x.split('::')[0] for x in df['text']]
>>> df
                 text  text_new text_new1
0  vendor a::ProductA  vendor a  vendor a
1  vendor b::ProductA  vendor b  vendor b
2  vendor a::Productb  vendor a  vendor a

編集:上記のpandasで何が起こっているのかを段階的に説明します:

# Select the pandas.Series object you want
>>> df['text']
0    vendor a::ProductA
1    vendor b::ProductA
2    vendor a::Productb
Name: text, dtype: object

# using pandas.Series.str allows us to implement "normal" string methods 
# (like split) on a Series
>>> df['text'].str
<pandas.core.strings.StringMethods object at 0x110af4e48>

# Now we can use the split method to split on our '::' string. You'll see that
# a Series of lists is returned (just like what you'd see outside of pandas)
>>> df['text'].str.split('::')
0    [vendor a, ProductA]
1    [vendor b, ProductA]
2    [vendor a, Productb]
Name: text, dtype: object

# using the pandas.Series.str method, again, we will be able to index through
# the lists returned in the previous step
>>> df['text'].str.split('::').str
<pandas.core.strings.StringMethods object at 0x110b254a8>

# now we can grab the first item in each list above for our desired output
>>> df['text'].str.split('::').str[0]
0    vendor a
1    vendor b
2    vendor a
Name: text, dtype: object

pandas.Series.str docs 、またはもっと良いことに pandasでのテキストデータの操作 を確認することをお勧めします。

36
blacksite

str.replace(":", " ")を使用して、_"::"_を削除できます。分割するには、分割する文字を指定する必要があります:str.split(" ")

トリム関数はpythonではstripと呼ばれます:str.strip()

また、_str[:7]_を実行して、文字列で_"vendor x"_だけを取得することもできます。

がんばろう

1
Mohamed AL ANI