Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

using mpatches.Patch for a custom legend

I'm using the following code to create a custom matplotlib legend.

import matplotlib.patches as mpatches
import matplotlib.pyplot as plt
colors = ["g", "w"]
texts = ["Green Data Description", "RedData Description"]
patches = [ mpatches.Patch(color=colors[i], label="{:s}".format(texts[i]) ) for i in range(len(texts)) ]
plt.legend(handles=patches, bbox_to_anchor=(0.5, 0.5), loc='center', ncol=2 )

The resulted legend is as follows:

enter image description here

1 - The white symbol in the legend is not shown because that the default legend background is white as well. How can I set the legend background to other color ?

2 - How to change the rectangular symbols in the legend into circular shape ?

like image 325
Hesham Eraqi Avatar asked May 21 '17 15:05

Hesham Eraqi


2 Answers

As the other answers did not work for me, I am adding an answer that is super simple and straight forward:

import matplotlib.pyplot as plt
handles = []
for x in colors:
    handles.append(plt.Line2D([], [], color=x, marker="o", linewidth=0))

You can adjust marker size and whatever else you want (maybe a star etc) and the linewidth removes the line to leave you with only the marker. Works perfectly and is super simple!

Even simpler:

import matplotlib.pyplot as plt
handles = [(plt.Line2D([], [], color=x, marker="o", linewidth=0)) for x in colors]
like image 98
Seth Avatar answered Sep 17 '22 02:09

Seth


  1. Setting the legend's background color can be done using the facecolor argument to plt.legend(),

     plt.legend(facecolor="plum")
    
  2. To obtain a circular shaped legend handle, you may use a standard plot with a circular marker as proxy artist,

     plt.plot([],[], marker="o", ms=10, ls="")
    

Complete example:

import matplotlib.patches as mpatches
import matplotlib.pyplot as plt
colors = ["g", "w"]
texts = ["Green Data Description", "RedData Description"]
patches = [ plt.plot([],[], marker="o", ms=10, ls="", mec=None, color=colors[i], 
            label="{:s}".format(texts[i]) )[0]  for i in range(len(texts)) ]
plt.legend(handles=patches, bbox_to_anchor=(0.5, 0.5), 
           loc='center', ncol=2, facecolor="plum", numpoints=1 )

plt.show()

(Note that mec and numpoints arguments are only required for older versions of matplotlib)

enter image description here

For more complicated shapes in the legend, you may use a custom handler map, see the legend guide or e.g. this answer as an example

like image 43
ImportanceOfBeingErnest Avatar answered Sep 19 '22 02:09

ImportanceOfBeingErnest