我的数据框中有一个表示月份的列(格式为yyyy-mm
)。我想使用pd.Period
将其转换为季度。
我尝试在下面的表单中使用apply函数,但它运行得太慢了。有一个更好的方法吗?
我正在使用:
hp2['Qtr'] = hp2.apply(lambda x: pd.Period(x['Mth'],'Q'),axis=1)
答案 0 :(得分:4)
我会在"矢量化"中使用to_datetime()方法方式:
In [76]: x
Out[76]:
Month
0 2016-11
1 2011-01
2 2015-07
3 2012-09
In [77]: x['Qtr'] = pd.to_datetime(x.Month).dt.quarter
In [78]: x
Out[78]:
Month Qtr
0 2016-11 4
1 2011-01 1
2 2015-07 3
3 2012-09 3
或者,如果您希望以2016Q4
格式(@root mentioned)使用PeriodIndex()
:
In [114]: x['Qtr'] = pd.PeriodIndex(pd.to_datetime(x.Mth), freq='Q')
In [115]: x
Out[115]:
Mth Qtr
0 2016-11 2016Q4
1 2011-01 2011Q1
2 2015-07 2015Q3
3 2012-09 2012Q3
答案 1 :(得分:1)
由于您不需要整行,如果仅从列中映射值,它会更快吗?
hp2['Qtr'] = hp2['Mth'].map(lambda x: pd.Period(x,'Q'))
答案 2 :(得分:1)
我碰巧正在处理包含9994行的df,因此我根据过去使用过的代码测试了您的代码,并为您发布了结果。 以下是df的示例,不完全是YYYY-MM,但无关紧要,因为代码可以在以下两种方式下运行:
hp2['Mth'][:10]
Out[11]:
0 2016-06-26
1 2016-06-26
2 2016-06-26
3 2016-06-26
4 2016-06-26
5 2016-06-26
6 2016-06-26
7 2016-06-26
8 2016-06-26
9 2016-06-26
Name: Mth, dtype: datetime64[ns]
我在我的df上运行了你的代码:
%timeit hp2['Qtr_Period']= hp2.apply(lambda x: pd.Period(x['Mth'],'Q'), axis=1)
hp2['Qtr_Period'][:10]
1 loop, best of 3: 2.28 s per loop
Out[13]:
0 2016Q2
1 2016Q2
2 2016Q2
3 2016Q2
4 2016Q2
5 2016Q2
6 2016Q2
7 2016Q2
8 2016Q2
9 2016Q2
Name: Qtr_Period, dtype: object
然后我用它测试了它:
%timeit hp2['Qtr_dt']= (df['Order Date'].dt.year.astype(str))+'Q'+(df['Order Date'].dt.quarter.astype(str))
hp2['Qtr_dt'][:10]
10 loops, best of 3: 67.6 ms per loop
Out[14]:
0 2016Q2
1 2016Q2
2 2016Q2
3 2016Q2
4 2016Q2
5 2016Q2
6 2016Q2
7 2016Q2
8 2016Q2
9 2016Q2
Name: Qtr_dt, dtype: object
从结果中可以清楚地看出。希望有所帮助。您可以在pandas.Series.dt
上找到更多信息答案 3 :(得分:0)
与@MaxU相同,但使用astype
:
hp2['Qtr'] = pd.to_datetime(hp2['Mth'].values, format='%Y-%m').astype('period[Q]')
结果输出:
Mth Qtr
0 2014-01 2014Q1
1 2017-02 2017Q1
2 2016-03 2016Q1
3 2017-04 2017Q2
4 2016-05 2016Q2
5 2016-06 2016Q2
6 2017-07 2017Q3
7 2016-08 2016Q3
8 2017-09 2017Q3
9 2015-10 2015Q4
10 2017-11 2017Q4
11 2015-12 2015Q4
<强>计时强>
使用以下设置生成大型样本数据集:
n = 10**5
yrs = np.random.choice(range(2010, 2021), n)
mths = np.random.choice(range(1, 13), n)
df = pd.DataFrame({'Mth': ['{0}-{1:02d}'.format(*p) for p in zip(yrs, mths)]})
我得到以下时间:
%timeit pd.to_datetime(df['Mth'].values, format='%Y-%m').astype('period[Q]')
10 loops, best of 3: 33.4 ms per loop
%timeit pd.PeriodIndex(pd.to_datetime(df.Mth), freq='Q')
1 loop, best of 3: 2.68 s per loop
%timeit df['Mth'].map(lambda x: pd.Period(x,'Q'))
1 loop, best of 3: 6.26 s per loop
%timeit df.apply(lambda x: pd.Period(x['Mth'],'Q'),axis=1)
1 loop, best of 3: 9.49 s per loop
答案 4 :(得分:0)
month = ['2016-11', '2011-01', '2015-06', '2012-09']
x = pd.DataFrame(month, columns=["month"])
x.month = pd.to_datetime(x.month)
x['quarter'] = [pd.Period(x.month[i], freq='M').quarter for i in range(len(x))]
x
month quarter
0 2016-11-01 4
1 2011-01-01 1
2 2015-06-01 2
3 2012-09-01 3