随着时间的推移,我想从熊猫的groubby
结果中绘制出同一张图表中的多条线。我的数据如下所示
import pandas as pd
df = pd.read_csv('https://raw.githubusercontent.com/plotly/datasets/master/finance-charts-apple.csv')
df['Date']=pd.to_datetime(df['Date'])
现在我将数据按月和方向分组。
df.groupby([pd.Grouper(key='Date', freq='M'), 'direction'])
这给了我
Date direction
2015-02-28 Decreasing 4
Increasing 5
2015-03-31 Decreasing 14
Increasing 8
2015-04-30 Decreasing 12
Increasing 9
2015-05-31 Decreasing 10
....
我该怎么把这个画成一张线图呢?在x-Axis
上,我想要时间,在y-Axis
上要计数,对于direction
中的每个组,我想要一行。最好是使用Plotly。
发布于 2022-06-16 01:57:17
我没有预期的图表,所以我从注释中了解到,这个图是一个具有两种不同线条类型的时间序列的线图。我使用一个图形对象和一个循环处理来绘制散点图在定向单元中的线模式。
dfg = df.groupby([pd.Grouper(key='Date', freq='M'), 'direction']).size().to_frame('counts')
dfg.reset_index(inplace=True)
dfg.head()
Date direction counts
0 2015-02-28 Decreasing 4
1 2015-02-28 Increasing 5
2 2015-03-31 Decreasing 14
3 2015-03-31 Increasing 8
4 2015-04-30 Decreasing 12
import plotly.graph_objects as go
fig = go.Figure()
for d,c in zip(dfg['direction'].unique(), ['red','green']):
dfs = dfg.query('direction == @d')
fig.add_trace(
go.Scatter(
x=dfs['Date'],
y=dfs['counts'],
mode='lines',
line=dict(
color=c,
width=3
),
name=d
)
)
fig.show()
https://stackoverflow.com/questions/72643495
复制相似问题