如何使用matplotlib自动绘制?

t8e9dugd  于 2022-12-23  发布在  其他
关注(0)|答案(7)|浏览(166)

我想创建一个matplotlib饼图,在每个楔形的顶部写上每个楔形的值。
文档建议我应该使用autopct来完成此操作。
自动CT:[无|格式串|format function]如果不是None,则是用于使用数值标记楔形的字符串或函数。标签将放置在楔形内部。如果是格式字符串,则标签为fmt % pct。如果是函数,则将调用它。
不幸的是,我不确定这个格式字符串或格式函数应该是什么。
使用下面这个基本示例,如何在楔形顶部显示每个数值?

plt.figure()
values = [3, 12, 5, 8] 
labels = ['a', 'b', 'c', 'd'] 
plt.pie(values, labels=labels) #autopct??
plt.show()
wyyhbhjk

wyyhbhjk1#

autopct使您可以使用Python字符串格式显示百分比值。例如,如果autopct='%.2f',则对于每个饼图楔形,格式字符串为'%.2f',该楔形的数字百分比值为pct,因此楔形标签设置为字符串'%.2f'%pct

import matplotlib.pyplot as plt
plt.figure()
values = [3, 12, 5, 8] 
labels = ['a', 'b', 'c', 'd'] 
plt.pie(values, labels=labels, autopct='%.2f')
plt.show()

产量

通过提供autopct的可调用函数,可以做一些更有趣的事情。要同时显示百分比值和原始值,可以这样做:

import matplotlib.pyplot as plt

# make the pie circular by setting the aspect ratio to 1
plt.figure(figsize=plt.figaspect(1))
values = [3, 12, 5, 8] 
labels = ['a', 'b', 'c', 'd'] 

def make_autopct(values):
    def my_autopct(pct):
        total = sum(values)
        val = int(round(pct*total/100.0))
        return '{p:.2f}%  ({v:d})'.format(p=pct,v=val)
    return my_autopct

plt.pie(values, labels=labels, autopct=make_autopct(values))
plt.show()

同样,对于每个饼图楔形,matplotlib提供百分比值pct作为参数,但这次它作为参数发送给函数my_autopct,楔形标签设置为my_autopct(pct)

gstyhher

gstyhher2#

您可以:

plt.pie(values, labels=labels, autopct=lambda p : '{:.2f}%  ({:,.0f})'.format(p,p * sum(values)/100))
oxcyiej7

oxcyiej73#

使用lambda和format可能更好

import pandas as pd
import matplotlib.pyplot as plt
import seaborn as sns

path = r"C:\Users\byqpz\Desktop\DATA\raw\tips.csv"

df = pd.read_csv(path, engine='python', encoding='utf_8_sig')

days = df.groupby('day').size()

sns.set()
days.plot(kind='pie', title='Number of parties on different days', figsize=[8,8],
          autopct=lambda p: '{:.2f}%({:.0f})'.format(p,(p/100)*days.sum()))
plt.show()

vltsax25

vltsax254#

val=int(pct*total/100.0)

应该是

val=int((pct*total/100.0)+0.5)

以防止舍入误差。

ws51t4hk

ws51t4hk5#

由于autopctfunction used to label the wedges with their numeric value,您可以根据需要在其中写入任何标签或格式化项目数量。对我来说,显示百分比标签的最简单方法是使用lambda:

autopct = lambda p:f'{p:.2f}%'

或者在某些情况下,您可以将数据标记为

autopct = lambda p:'any text you want'

对于您的代码,要显示百分比,可以用途:

plt.figure()
values = [3, 12, 5, 8] 
labels = ['a', 'b', 'c', 'd'] 
plt.pie(values, labels=labels, autopct=lambda p:f'{p:.2f}%, {p*sum(values)/100 :.0f} items')
plt.show()

结果会是:

njthzxwz

njthzxwz6#

autopct使您能够使用Python字符串格式显示每个切片的百分比值。
例如,

autopct = '%.1f' # display the percentage value to 1 decimal place
autopct = '%.2f' # display the percentage value to 2 decimal places

如果您想在饼图上显示%符号,您必须写入/添加:

autopct = '%.1f%%'
autopct = '%.2f%%'
bjp0bcyl

bjp0bcyl7#

在matplotlib gallary的帮助下,以及StackOverflow用户的提示,我得出了下面的饼图。autopct显示了成分的数量和种类。

import matplotlib.pyplot as plt
%matplotlib inline

reciepe= ["480g Flour", "50g Eggs", "90g Sugar"]
amt=[int(x.split('g ')[0]) for x in reciepe]
ing=[x.split()[-1] for x in reciepe]
fig, ax=plt.subplots(figsize=(5,5), subplot_kw=dict(aspect='equal'))
wadges, text, autotext=ax.pie(amt, labels=ing, startangle=90,
                              autopct=lambda p:"{:.0f}g\n({:.1f})%".format(p*sum(amt)/100, p),
                              textprops=dict(color='k', weight='bold', fontsize=8))
ax.legend(wadges, ing,title='Ingredents', loc='best', bbox_to_anchor=(0.35,0.85,0,0))

Piechart showing the amount and of percent of a sample recipe ingredients
Pie chart showing the salary and percent of programming Language users

相关问题