"tidy data" 不是问题时如何在 plotnine 中为多条曲线添加图例

How to add legend in plotnine for multiple curves when "tidy data" is not the issue

有几个人询问如何在 ggplot2plotnine 中为多条曲线添加图例,当曲线因要绘制的行的选择而不同时。典型的答案是将数据重新格式化为 tidy data. Some examples are , , and here.

我需要多行不是因为对数据进行子集化,而是因为我想比较平滑方法。所有行的数据都相同,因此以上答案无济于事。

后两个答案指出,在R中的ggplot2中,可以通过将color说明符移动到aes(...)中来创建图例。这个描述的很详细here,和我想做的差不多

这也适用于 plotnine 吗?我尝试了一个类似于 previous link 的例子。没有图例也能正常工作:

from plotnine import *
from plotnine.data import *

(ggplot(faithful, aes(x='waiting'))
    + geom_line(stat='density', adjust=0.5, color='red')
    + geom_line(stat='density', color='blue')
    + geom_line(stat='density', adjust=2, color='green')
    + labs(title='Effect of varying KDE smoothing parameter',
           x='Time to next eruption (min)',
           y='Density')
)

但是当我将 color 移动到 aes 以获得图例时它失败了:

from plotnine import *
from plotnine.data import *

(ggplot(faithful, aes(x='waiting'))
    + geom_line(aes(color='red'), stat='density', adjust=0.5)
    + geom_line(aes(color='blue'), stat='density')
    + geom_line(aes(color='green'), stat='density', adjust=2)
    + labs(title='Effect of varying KDE smoothing parameter',
           x='Time to next eruption (min)',
           y='Density')
    + scale_color_identity(guide='legend')
)

这给出了错误 PlotnineError: "Could not evaluate the 'color' mapping: 'red' (original error: name 'red' is not defined)".

关于如何添加图例有什么建议吗?谢谢。

将颜色放在引号中,例如 '"red"' 而不是 'red'

(ggplot(faithful, aes(x='waiting'))
    + geom_line(aes(color='"red"'), stat='density', adjust=0.5)
    + geom_line(aes(color='"blue"'), stat='density')
    + geom_line(aes(color='"green"'), stat='density', adjust=2)
    + labs(title='Effect of varying KDE smoothing parameter',
           x='Time to next eruption (min)',
           y='Density')
    + scale_color_identity(guide='legend')
)

看起来您 post 上次 link 是在正确的轨道上,但您必须欺骗 python 来克服 R 的一些 non-standard 评估做。我能够通过在颜色名称周围设置两组引号来使其工作:

(ggplot(faithful, aes(x='waiting'))
    + geom_line(aes(color="'red'"), stat='density', adjust=0.5)
    + geom_line(aes(color="'blue'"), stat='density')
    + geom_line(aes(color="'green'"), stat='density', adjust=2)
    + labs(title='Effect of ...',
           x='Time to next eruption (min)',
           y='Density')
    + scale_color_identity(guide='legend',name='My color legend')
)

1

您还可以制作自己的标签,例如 post:

(ggplot(faithful,aes(x='waiting'))
 + geom_line(aes(color="'red'"),stat='density',adjust=.5)
 + geom_line(aes(color="'blue'"),stat='density')
 + geom_line(aes(color="'green'"), stat='density',adjust=2)
 +labs(title='Effect of ...',x='Time to next eruption (min)',
       y='Density')
 + scale_color_identity(guide='legend',name='My colors',
                        breaks=['red','blue','green'],
                        labels=['Label 1','Label 2','Label 3']))

2