您可能正在寻找pivot_table
,这就像 的倒数melt
。为简单起见,以下代码使用包含 96 个整数值的“Uhrzeit”列重新创建输入 DataFrame,代表时间季度:
import pandas as pd
import numpy as np
data = {
'Datum': ['2014-12-01'] * 96 + ['2014-12-02'] * 96,
'Uhrzeit': range(96) + range(96),
'RZS': np.random.rand(96*2),
}
df = pd.DataFrame(data).set_index('Datum')[['Uhrzeit', 'RZS']]
df.reset_index(inplace=True) # Now this df looks like the input you described
df = pd.pivot_table(df, values='RZS', rows='Uhrzeit', cols='Datum')
print df[:10]
输出:
Datum 2014-12-01 2014-12-02
Uhrzeit
0 0.864674 0.363400
1 0.736678 0.925202
2 0.807088 0.076891
3 0.007031 0.528020
4 0.047997 0.216422
5 0.625339 0.636028
6 0.115018 0.141142
7 0.424289 0.101075
8 0.544412 0.147669
9 0.151214 0.274959
然后,您可以切出包含所需“Uhrzeit”的 DataFrame。
编辑:似乎该列RZS
表示为字符串,这会导致一些问题,pivot_table
因为它期望值列是数字的。这是将该列转换为数字的快速修复,假设 str'1.087,29'
应被视为 float 1087.29
:
df = pd.DataFrame({'RZS': ['1.087,29', '1.087.087,28', '1.087.087.087,28']})
def fix(x):
return x.replace('.', '').replace(',', '.')
df['RZS'] = df['RZS'].apply(fix).astype(float)
# The column RZS now should be of dtype float, and pivot_table should work.