首页 > 解决方案 > 更改熊猫列中的数字字符串

问题描述

背景

我有一个包含 0,1 或 >1df的列的示例TextABC

import pandas as pd
df = pd.DataFrame({'Text' : ['Jon J Mmith  ABC: 1111111 is this here', 
                                   'ABC: 1234567 Mary Lisa Rider found here', 
                                   'Jane A Doe is also here',
                                'ABC: 2222222 Tom T Tucker is here ABC: 2222222 too'], 

                      'P_ID': [1,2,3,4],
                      'N_ID' : ['A1', 'A2', 'A3', 'A4']

                     })

#rearrange columns
df = df[['Text','N_ID', 'P_ID']]
df

                            Text                      N_ID  P_ID
0   Jon J Mmith ABC: 1111111 is this here               A1  1
1   ABC: 1234567 Mary Lisa Rider found here             A2  2
2   Jane A Doe is also here                             A3  3
3   ABC: 2222222 Tom T Tucker is here ABC: 2222222...   A4  4  

目标

1)将列(例如)中的ABC数字更改为TextABC: 1111111ABC: **BLOCK**

2)创建一个Text_ABC包含此输出的新列

期望的输出

                             Text                  N_ID P_ID Text_ABC
0   Jon J Mmith ABC: 1111111 is this here          A1   1   Jon J Mmith ABC: **BLOCK** is this here
1   ABC: 1234567 Mary Lisa Rider found here        A2   2   ABC: **BLOCK** Mary Lisa Hider found here   
2   Jane A Doe is also here                        A3   3   Jane A Doe is also here 
3   ABC: 2222222 Tom T Tucker is here ABC: 2222222 A4   4   ABC: **BLOCK** Tom T Tucker is here ABC: **BLOCK**

问题

如何实现我想要的输出?

标签: pythonstringpandastextapply

解决方案


如果要替换所有数字,您可以执行以下操作:

df['Text_ABC'] = df['Text'].replace(r'\d+', '***BLOCK***', regex=True)

但是,如果您想更具体并且只替换 之后的数字ABC:,那么您可以使用以下命令:

df['Text_ABC'] = df['Text'].replace(r'ABC: \d+', 'ABC: ***BLOCK***', regex=True)

给你:

df
                                                Text  P_ID N_ID                                           Text_ABC
0             Jon J Smith  ABC: 1111111 is this here     1   A1           Jon J Smith  ABC: ***BLOCK*** is this here
1            ABC: 1234567 Mary Lisa Rider found here     2   A2          ABC: ***BLOCK*** Mary Lisa Rider found here
2                            Jane A Doe is also here     3   A3                            Jane A Doe is also here
3  ABC: 2222222 Tom T Tucker is here ABC: 2222222...     4   A4  ABC: ***BLOCK*** Tom T Tucker is here ABC: ***BLOCK...

作为一个正则表达式,\d+意思是“匹配一个或多个连续数字”,因此使用它表示“用”replace替换一个或多个连续数字***BLOCK***


推荐阅读