我必须在多个y轴上绘制线条。然而,在情节上,go.Layout
中的轴生成非常详细,如本示例中的情节文档:https://plot.ly/python/multiple-axes/
layout = go.Layout(
title='multiple y-axes example',
width=800,
xaxis=dict(
domain=[0.3, 0.7]
),
yaxis=dict(
title='yaxis title',
titlefont=dict(
color='#1f77b4'
),
tickfont=dict(
color='#1f77b4'
)
## repeat for every new y-axis.
在matplotlib中,我喜欢通过生成所有不同的轴并在循环中处理绘图来保存代码,如下所示:
import matplotlib.pyplot as plt
import numpy as np
# generate dummy data
data = []
for i in range(5):
arr = np.random.random(10) * i
data.append(arr)
colors = ['black', 'red', 'blue', 'green', 'purple']
labels = ['label1', 'label2', 'label3', 'label4', 'label5']
# define other paramters (e.g. linestyle etc.) in lists
fig, ax_orig = plt.subplots(figsize=(10, 5))
for i, (arr, color, label) in enumerate(zip(data, colors, labels)):
if i == 0:
ax = ax_orig
else:
ax = ax_orig.twinx()
ax.spines['right'].set_position(('outward', 50 * (i - 1)))
ax.plot(arr, color=color, marker='o')
ax.set_ylabel(label, color=color)
ax.tick_params(axis='y', colors=color)
fig.tight_layout()
plt.show()
由于对象生成中使用的dict语法,我似乎无法在plotly中创建类似的工作。我已经尝试通过循环生成axis-dicts并将它们传递给go.Layout
,但没有成功。
如果有人能指出减少冗余的优雅方式,我们将不胜感激。
一切顺利,并提前感谢。
答案 0 :(得分:2)
您可以利用Python的**kwargs
,即创建一个包含所有布局值的字典,并将其传递给Plotly的布局。
import numpy as np
import plotly
plotly.offline.init_notebook_mode()
# generate dummy data, taken from question
data = []
for i in range(5):
arr = np.random.random(10) * i
data.append(arr)
labels = ['label1', 'label2', 'label3', 'label4', 'label5']
plotly_data = []
plotly_layout = plotly.graph_objs.Layout()
# your layout goes here
layout_kwargs = {'title': 'y-axes in loop',
'xaxis': {'domain': [0, 0.8]}}
for i, d in enumerate(data):
# we define our layout keys by string concatenation
# * (i > 0) is just to get rid of the if i > 0 statement
axis_name = 'yaxis' + str(i + 1) * (i > 0)
yaxis = 'y' + str(i + 1) * (i > 0)
plotly_data.append(plotly.graph_objs.Scatter(y=d,
name=labels[i]))
layout_kwargs[axis_name] = {'range': [0, i + 0.1],
'position': 1 - i * 0.04}
plotly_data[i]['yaxis'] = yaxis
if i > 0:
layout_kwargs[axis_name]['overlaying'] = 'y'
fig = plotly.graph_objs.Figure(data=plotly_data, layout=plotly.graph_objs.Layout(**layout_kwargs))
plotly.offline.iplot(fig)