简体   繁体   English

Python Pandas每日平均值

[英]Python Pandas daily average

I'm having problems getting the daily average in a Pandas database. 我在Pandas数据库中获得每日平均值时遇到问题。 I've checked here Calculating daily average from irregular time series using pandas and it doesn't help. 我在这里查看使用熊猫计算不规则时间序列的每日平均值 ,它没有帮助。 csv files look like this: csv文件如下所示:

Date/Time,Value
12/08/13 12:00:01,5.553
12/08/13 12:30:01,2.604
12/08/13 13:00:01,2.604
12/08/13 13:30:01,2.604
12/08/13 14:00:01,2.101
12/08/13 14:30:01,2.666

and so on. 等等。 My code looks like this: 我的代码看起来像这样:

# Import iButton temperatures
flistloc = '../data/iButtons/Readings/edit'
flist = os.listdir(flistloc)
# Create empty dictionary to store db for each file
pdib = {}
for file in flist:
    file = os.path.join(flistloc,file)
    # Calls function to return only name
    fname,_,_,_= namer(file)
    # Read each file to db
    pdib[fname] = pd.read_csv(file, parse_dates=0, dayfirst=True, index_col=0)
pdibkeys = sorted(pdib.keys())
#
# Calculate daily average for each iButton
for name in pdibkeys:
    pdib[name]['daily'] = pdib[name].resample('D', how = 'mean')```

The database seems ok but the averaging doesn't work. 数据库似乎没问题,但平均值不起作用。 Here is what one looks like in iPython: 这是iPython中的样子:

'2B5DE4': <class 'pandas.core.frame.DataFrame'>
DatetimeIndex: 1601 entries, 2013-08-12 12:00:01 to 2013-09-14 20:00:01
Data columns (total 2 columns):
Value    1601  non-null values
daily    0  non-null values
dtypes: float64(2)}

Anyone know what's going on? 有谁知道发生了什么?

The question is somewhat old, but i want to contribute anyway since i had to deal with this over and over again (and i think it's not really pythonic...). 这个问题有些陈旧,但我还是想做出贡献,因为我不得不一遍又一遍地处理这个问题(我认为这不是真正的pythonic ......)。

The best solution, i have come up so far is to use the original index to create a new dataframe with mostly NA and fill it up at the end. 到目前为止,我提出的最佳解决方案是使用原始索引创建一个主要为NA的新数据框,并在最后填充它。

davg = df.resample('D', how='mean')
davg_NA = davg.loc[df.index]
davg_daily = davg_NA.fillna(method='ffill')

One can even cramp this in one line 人们甚至可以在一条线上扼杀这一点

df.resample('D', how='mean').loc[df.index].fillna(method='ffill')

When you call resample on your 1 column dataframe, the output is going to be a 1 column dataframe with a different index -- with each date as its own index entry. 当您在1列数据帧上调用resample时,输出将是具有不同索引的1列数据帧 - 每个日期作为其自己的索引条目。 So when you try and assign it to a column in your original dataframe, I don't know what you expect to happen. 因此,当您尝试将其分配给原始数据框中的列时,我不知道您希望发生什么。

Three possible approaches (where df is your original dataframe): 三种可能的方法(其中df是您的原始数据帧):

  1. Do you actually need the average values in your original dataframe? 您是否真的需要原始数据框中的平均值? If not: 如果不:

    davg = df.resample('D', how='mean')

  2. If you do, a different solution is to merge the two dataframes on the date, after making sure that both have a column (not the index) with the date. 如果这样做,另一种解决方案是在确保两者都具有日期的列(而不是索引)之后合并日期上的两个数据帧。

'

davg = df.resample('D', how='mean')
df['day'] = df.index.apply(lambda x: x.date()) 
davg.reset_index('Date/Time', inplace=True)
df = pandas.merge(df, davg, left_on='day',right_on='Date/Time')
  1. An alternate to 2 (no intuition about whether it's faster) is to simply groupby the date. 〜2的替代(没有关于它是否是快直觉)是简单地groupby日期。

     def compute_avg_val(df): df['daily average'] = df['Value'].mean() return df df['day'] = df.index.apply(lambda x: x.date()) grouped = df.groupby('day') df = grouped.apply(compute_avg_val) 

You can't resample at a lower frequency and then assign the resampled DataFrame or Series back into the one you resampled from, because the indices don't match: 您无法以较低的频率重新采样,然后将重新采样的DataFrameSeries重新分配回您重新采样的数据,因为索引不匹配:

In [49]: df = pd.read_csv(StringIO("""Date/Time,Value
12/08/13 12:00:01,5.553
12/08/13 12:30:01,2.604
12/08/13 13:00:01,2.604
12/08/13 13:30:01,2.604
12/08/13 14:00:01,2.101
12/08/13 14:30:01,2.666"""), parse_dates=0, dayfirst=True, index_col=0)

In [50]: df.resample('D')
Out[50]:
            Value
Date/Time
2013-08-12  3.022

[1 rows x 1 columns]

In [51]: df['daily'] = df.resample('D')

In [52]: df
Out[52]:
                     Value  daily
Date/Time
2013-08-12 12:00:01  5.553    NaN
2013-08-12 12:30:01  2.604    NaN
2013-08-12 13:00:01  2.604    NaN
2013-08-12 13:30:01  2.604    NaN
2013-08-12 14:00:01  2.101    NaN
2013-08-12 14:30:01  2.666    NaN

[6 rows x 2 columns]

One option is to take advantage of partial time indexing on the rows: 一种选择是利用对行的部分时间索引:

davg = df.resample('D', how='mean')
df.loc[str(davg.index.date[0]), 'daily'] = davg.values

which looks like this, when you expand the str(davg.index.date[0]) line: 当你扩展str(davg.index.date[0])行时,它看起来像这样:

df.loc['2013-08-12', 'daily'] = davg.values

This is a bit of hack, there might be a better way to do it. 这有点黑客,可能有更好的方法来做到这一点。

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM