有没有办法将pandas系列/ Datetime系列与相同行的numpy矩阵连接起来?

问题描述 投票:0回答:1

我使用numpy创建了给定大小的随机矩阵。对于时间序列仿真,我为相应的矩阵创建了一个频率为一个月的时间序列。现在,我想将它们组合起来,并作为熊猫数据框使用。这是我到目前为止所拥有的-

import numpy as np
import pandas as pd

cols = ['time', 'cases', 'deaths', 'recoveries']

data = np.random.randint(0,50,(50,3))
times = pd.date_range('2019-12-01', periods=50, freq='MS')
df = pd.DataFrame(pd.concat(times, data, ignore_index=True), columns=cols)

这在第8行出现以下错误-

TypeError: cannot concatenate object of type '<class 'pandas._libs.tslibs.timestamps.Timestamp'>'; only Series and DataFrame objs are valid

所以我尝试将其转换为使用times = pd.Series(pd.date_range('2019-12-01', periods=50, freq='MS'))的序列,但是依次产生了错误-

TypeError: first argument must be an iterable of pandas objects, you passed an object of type "Series"

预期O / P-

|   time     |cases|deaths|recoveries|
|------------------------------------|
| 2019-12-01 | 0   | 0    | 0        |
| 2020-01-01 | 1   | 0    | 0        |
| 2020-02-01 | 2   | 1    | 0        |
python pandas numpy dataframe series
1个回答
0
投票

我建议创建DatetimeIndex而不是列,因此解决方案已更改:

cols = ['cases', 'deaths', 'recoveries']

data = np.random.randint(0,50,(50,3))
times = pd.date_range('2019-12-01', periods=50, freq='MS', name='time')
df = pd.DataFrame(data, columns=cols, index=times)
print (df.head(10))
            cases  deaths  recoveries
time                                 
2019-12-01     28      44          25
2020-01-01     21      23          26
2020-02-01     15      17           5
2020-03-01     35       3          42
2020-04-01     46       7           3
2020-05-01     23      47          28
2020-06-01     31      30          34
2020-07-01      8       4          15
2020-08-01     46      14          24
2020-09-01     43      47           6

如果需要的列:

df = pd.DataFrame(data, columns=cols, index=times).reset_index()
print (df.head(10))
        time  cases  deaths  recoveries
0 2019-12-01      2      26          43
1 2020-01-01     43      40          41
2 2020-02-01     23      12          22
3 2020-03-01     43      37          28
4 2020-04-01      7      26          20
5 2020-05-01     19      46          41
6 2020-06-01     43       1           0
7 2020-07-01     19      42           4
8 2020-08-01     14      39          40
9 2020-09-01     15       8          25
© www.soinside.com 2019 - 2024. All rights reserved.