Objective: I would like to create a stacked plot function that plots all the columns in a given data frame. Such a data frame can have N-columns.
A generic code for plotting a stacked plot in Plotly is the following:
from plotly.offline import download_plotlyjs, init_notebook_mode, plot, iplot
import plotly.graph_objs as go
from plotly import tools
trace1 = go.Scatter(
x=[0, 1, 2],
y=[10, 11, 12]
)
trace2 = go.Scatter(
x=[0, 1, 2],
y=[100, 110, 120],
)
trace3 = go.Scatter(
x=[0, 1, 2],
y=[1000, 1100, 1200],
)
fig = tools.make_subplots(rows=3, cols=1, specs=[[{}], [{}], [{}]],
shared_xaxes=True, shared_yaxes=False,
vertical_spacing=0.1)
fig.append_trace(trace1, 1, 1)
fig.append_trace(trace2, 2, 1)
fig.append_trace(trace3, 3, 1)
plot(fig)
The How: How do I create a loop that will create the code for Plotly to plot?
My Attempt
import pandas as pd
import numpy as np
df = pd.DataFrame()
df['x'] = np.array([0, 1, 2])
df['y1'] = np.array([10, 11, 12])
df['y2'] = np.array([100, 110, 120])
df['y3'] = np.array([1000, 1100, 1200])
d = {}
for i in np.arange(df.shape[0]):
d["trace{0}".format(i)] = "go.Scatter(x=[{0}],y=[{1}])".format(df.iloc[:,0], df.iloc[:, i])
fig = tools.make_subplots(rows=3, cols=1, specs=[[{}], [{}], [{}]],
shared_xaxes=True, shared_yaxes=False,
vertical_spacing=0.1)
for index, key in enumerate(d):
fig.append(d[key], index+1, 1)
plot(fig)
Running this, I get a following error:
23 for index, key in enumerate(d):
---> 24 fig.append(d[key], index+1, 1)
25 plot(fig)
26
TypeError: 'NoneType' object is not callable
How do I make it work?
You need to recreate the structure of
fig
just the wayPlotly
is creating it. By running your code I find the structure of thefig
as follows:You are missing the
fig.append_trace
. By including this, making few changes, I have created a function that takes in data frame and plots all of the columns as a stack plot: