我有一个CSV文件,我将其读取到Pandas DataFrame中,该数据帧包含具有以分号分隔的多个年份值的列。

我需要从字符串中提取最小值和最大值,并将每个值保存在新列中。

我可以打印最小值和最大值,但似乎无法从保存到新列的每一行中获取正确的值。

任何帮助深表感谢。

样本数据框:

import pandas as pd
import numpy as np

raw_data = {'id': ['1473-2262', '2327-9214', '1949-8349', '2375-6314',
                   '0095-6562'],
            'years': ['2000; 2001; 2002; 2003; 2004; 2004; 2004; 2005',
                      '2003; 2004; 2005', '2015', np.nan, '2012; 2014']}
df = pd.DataFrame(raw_data, columns = ['id', 'years'])


这是我需要的DataFrame:

          id                                           years  minyear  maxyear
0  1473-2262  2000; 2001; 2002; 2003; 2004; 2004; 2004; 2005   2000.0   2005.0
1  2327-9214                                2003; 2004; 2005   2003.0   2005.0
2  1949-8349                                            2015   2015.0   2015.0
3  2375-6314                                             NaN      NaN      NaN
4  0095-6562                                      2012; 2014   2012.0   2014.0


我可以打印最小和最大:

x = df['years'].notnull()

for row in df['years'][x].str.split(pat=';'):
    lst = list()
    for item in row:
        lst.append(int(item))
    print('Min=',min(lst),'Max=',max(lst))

Min= 2000 Max= 2005
Min= 2003 Max= 2005
Min= 2015 Max= 2015
Min= 2012 Max= 2014


这是我尝试将值捕获到新列的方式:

x = df['years'].notnull()

for row in df['years'][x].str.split(pat=';'):
    lst = list()
    for item in row:
        lst.append(int(item))
    df['minyear']=min(lst)
    df['maxyear']=max(lst)


仅最后一行的值保存到新列。

              id                                           years  minyear  maxyear
0  1473-2262  2000; 2001; 2002; 2003; 2004; 2004; 2004; 2005     2012     2014
1  2327-9214                                2003; 2004; 2005     2012     2014
2  1949-8349                                            2015     2012     2014
3  2375-6314                                             NaN     2012     2014
4  0095-6562                                      2012; 2014     2012     2014

最佳答案

我认为您需要将str.splitexpand=True用于新的DataFrame,然后转换为float

索引值相同,因此分配新列:

df1 = df['years'].str.split('; ', expand=True).astype(float)
df = df.assign(maxyear=df1.max(axis=1),minyear=df1.min(axis=1))
#same as
#df['maxyear'], df['minyear'] = df1.min(axis=1), df1.max(axis=1)
print (df)
          id                                           years  maxyear  minyear
0  1473-2262  2000; 2001; 2002; 2003; 2004; 2004; 2004; 2005   2000.0   2005.0
1  2327-9214                                2003; 2004; 2005   2003.0   2005.0
2  1949-8349                                            2015   2015.0   2015.0
3  2375-6314                                             NaN      NaN      NaN
4  0095-6562                                      2012; 2014   2012.0   2014.0

关于python - 从Pandas DataFrame中的字符串中提取最小和最大年份,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/45720093/

10-11 23:03