Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Merge daily values into intraday DataFrame

Suppose I have two DataFrames: intraday which has one row per minute, and daily which has one row per day.

How can I add a column intraday['some_val'] where some_val is taken from the daily['some_val'] row where the intraday.index value (date component) equals the daily.index value (date component)?

like image 526
feetwet Avatar asked Oct 20 '25 12:10

feetwet


1 Answers

Given the following setup,

intraday = pd.DataFrame(index=pd.date_range('2016-01-01', '2016-01-07', freq='T'))
daily = pd.DataFrame(index=pd.date_range('2016-01-01', '2016-01-07', freq='D'))
daily['some_val'] = np.arange(daily.shape[0])

you can create a column from the date component of both indices, and merge on that column

daily['date'] = daily.index.date
intraday['date'] = intraday.index.date    
daily.merge(intraday)
            date  some_val
0     2016-01-01         0
1     2016-01-01         0
2     2016-01-01         0
3     2016-01-01         0
4     2016-01-01         0
...          ...       ...
8636  2016-01-06         5
8637  2016-01-06         5
8638  2016-01-06         5
8639  2016-01-06         5
8640  2016-01-07         6

Alternatively, you can take advantage of automatic index alignment, and use fillna.

intraday['some_val'] = daily['some_val']
intraday.fillna(method='ffill', downcast='infer')
                     some_val
2016-01-01 00:00:00         0
2016-01-01 00:01:00         0
2016-01-01 00:02:00         0
2016-01-01 00:03:00         0
2016-01-01 00:04:00         0
...                       ...
2016-01-06 23:56:00         5
2016-01-06 23:57:00         5
2016-01-06 23:58:00         5
2016-01-06 23:59:00         5
2016-01-07 00:00:00         6

Note that this only works if the time component of your daily index is 00:00.

like image 89
Igor Raush Avatar answered Oct 23 '25 00:10

Igor Raush