13

如何避免子图中重复的图例标签?我在 matplotlib 中进行此操作的一种方法是将自定义图例标签传递给图例对象。我在 plotly 中找不到任何等效选项的文档。有任何想法吗?

traces = []

colors = {'Iris-setosa': 'rgb(31, 119, 180)', 
          'Iris-versicolor': 'rgb(255, 127, 14)', 
          'Iris-virginica': 'rgb(44, 160, 44)'}

for col in range(4):
    for key in colors:
        traces.append(Histogram(x=X[y==key, col], 
                        opacity=0.75,
                        xaxis='x%s' %(col+1),
                        marker=Marker(color=colors[key]),
                        name=key
                        )
                     )

data = Data(traces)

layout = Layout(barmode='overlay',
                xaxis=XAxis(domain=[0, 0.25], title='sepal length (cm)'),
                xaxis2=XAxis(domain=[0.3, 0.5], title='sepal width (cm)'),
                xaxis3=XAxis(domain=[0.55, 0.75], title='petal length (cm)'),
                xaxis4=XAxis(domain=[0.8, 1], title='petal width (cm)'),
                yaxis=YAxis(title='count'),
                title='Distribution of the different Iris flower features')

fig = Figure(data=data, layout=layout)

py.iplot(fig)

在此处输入图像描述

4

3 回答 3

12

Plotly 在跟踪级别上控制它。尝试在您不想出现在图例中showlegend=False的痕迹中传入。Histogram

参考:https ://plot.ly/python/reference/#Histogram-showlegend

示例:https ://plot.ly/python/legend/#Hiding-Legend-Entries

从上面的链接直接复制粘贴。

import plotly.plotly as py
from plotly.graph_objs import *
# Fill in with your personal username and API key
# or, use this public demo account
py.sign_in('Python-Demo-Account', 'gwt101uhh0')

trace1 = Scatter(
    x=[0, 1, 2],
    y=[1, 2, 3],
    name='First Trace',
    showlegend=False
)
trace2 = Scatter(
    x=[0, 1, 2, 3],
    y=[8, 4, 2, 0],
    name='Second Trace',
    showlegend=True
)
data = Data([trace1, trace2])
plot_url = py.plot(data, filename='show-legend')

您想看到的用法trace1如上所示。

于 2014-11-14T22:39:49.883 回答
8

更好的方法:

legendgroup选项设置为每个跟踪所需的图例标签。这将允许您过滤同一组中的所有内容。

showlegend=False使用该选项隐藏剩余痕迹的图例。

这将给出您想要的确切行为。

旧解决方案(不推荐):

通过添加“虚拟”跟踪并隐藏数据但仅显示图例,还有另一种解决方案。使用这种方法,您不能对任何数据进行切片(这不是一件坏事)。

trace_dummy = Scatter(
    x=[0, 0, 0], # Data is irrelevant since it won't be shown
    y=[0, 0, 0],
    name='Whatever Trace',
    showlegend=True,
    visible="legendonly"
)
于 2018-05-22T19:30:48.687 回答
4

这是我想出的一个代码片段,它避免showlegend=False在每个跟踪上手动设置重复的name.

names = set()
fig.for_each_trace(
    lambda trace:
        trace.update(showlegend=False)
        if (trace.name in names) else names.add(trace.name))

fig.for_each_trace为每个跟踪调用传递的函数。该函数跟踪已经出现的图例名称(通过 set names,如评论中建议的@LucG),并隐藏重复(或三次,...)名称的图例条目。

代码需要在所有跟踪都添加到图形之后运行,并且在它为shown 之前。

于 2020-06-02T22:44:02.760 回答