我试图根据可能在数量上有所不同的列之间进行比较来尝试在pandas中创建一个列,并尝试考虑最快,最干净的方法:
id date birth_date_1 birth_date_2
1 1/1/2000 1/3/2000 1/5/2000
1 1/7/2000 1/3/2000 1/5/2000
2 1/2/2000 1/10/2000 1/1/2000
2 1/5/2000 1/10/2000 1/1/2000
3 1/4/2000 NaT NaT
我的目标是创建一个新列,计算当前日期之前的出生日期数:
id date birth_date_1 birth_date_2 num_born_before_date
1 1/1/2000 1/3/2000 1/5/2000 0
1 1/7/2000 1/3/2000 1/5/2000 2
2 1/2/2000 1/10/2000 1/1/2000 1
2 1/5/2000 1/10/2000 1/1/2000 1
3 1/4/2000 NaT NaT 0
需要注意的是,birth_date列的数量因运行而异。我不想迭代条目,因为这会非常慢......
编辑:使用np.where
提出了一些肮脏的黑客攻击。不确定是否有更好的方法,尤其是在处理NaT方面。
NAT2 = pd.to_datetime('01-01-2100') # need this to deal with NaTs
df = df.fillna(NAT2)
df['num_born'] = 0
created_cols = [c for c in df.columns if 'birth_date' in c]
for col in created_cols:
df['num_born'] = np.where((df['date'] >= df[col]),
df['num_born'] + 1, df['num_born'])
df = df.replace(to_replace=NAT2, value=pd.NaT)
答案 0 :(得分:1)
假设您的数据框已经解析了日期时间列(您可以使用to_datetime
,或者在parse_dates
中指定read_csv
):
In [64]: df
Out[64]:
id date birth_date_1 birth_date_2
0 1 2000-01-01 2000-01-03 2000-01-05
1 1 2000-01-07 2000-01-03 2000-01-05
2 2 2000-01-02 2000-01-10 2000-01-01
3 2 2000-01-05 2000-01-10 2000-01-01
您现在可以查看' birth_date'中值的位置。列低于' date'中的值。列,然后使用sum
来计算:
In [65]: df[['birth_date_1', 'birth_date_2']].lt(df['date'], axis=0)
Out[65]:
birth_date_1 birth_date_2
0 False False
1 True True
2 False True
3 False True
In [66]: df[['birth_date_1', 'birth_date_2']].lt(df['date'], axis=0).sum(axis=1)
Out[66]:
0 0
1 2
2 1
3 1
dtype: int64
处理不同数量的'birth_date'列,您可以使用filter
自动执行此操作,如下所示:
In [67]: df.filter(like="birth_date")
Out[67]:
birth_date_1 birth_date_2
0 2000-01-03 2000-01-05
1 2000-01-03 2000-01-05
2 2000-01-10 2000-01-01
3 2000-01-10 2000-01-01
总而言之,这会给出:
In [66]: df.filter(like="birth_date").lt(df['date'], axis=0).sum(axis=1)
Out[66]:
0 0
1 2
2 1
3 1
dtype: int64