Pandas到MatPlotLib与美元符号

时间:2016-07-01 18:14:01

标签: python-3.x pandas matplotlib axis-labels dollar-sign

给出以下数据框:

import pandas as pd
df=pd.DataFrame({'A':['$0-$20','$20+']})
df
    A
0   0−20
1   $20+

我想在MatPlotLib中创建一个条形图,但我似乎无法正确显示美元符号。

以下是我所拥有的:

import matplotlib.pyplot as plt
import numpy as np

y=df.B
x=df.A
ind=np.arange(len(x))
fig, ax = plt.subplots(1, 1, figsize = (2,2))

plt.bar(ind, y, align='center', width=.5, edgecolor='none', color='grey')
ax.patch.set_facecolor('none')
ax.patch.set_alpha(0)
ax.set_ylim([0,5])
ax.set_xlabel(x,fontsize=12,rotation=0,color='grey')
ax.set_xticklabels('')
ax.set_yticklabels('')

enter image description here

我可以显示标签"更好"如果我使用df.A.values.tolist(),但这只是纠正格式。 我希望每个标签下的每个标签都显示原始格式(带有美元符号)。

提前致谢!

1 个答案:

答案 0 :(得分:2)

要指定xticklabels,请将tick_label=x传递给plt.bar

Matplotlib使用TeX markup language的子集解析标签。美元 符号表示数学模式的开始(和结束)。所以这对裸美元符号都是 无意中吞下了。目前,没有办法disable mathtex parsing。因此,为了防止美元符号被解释为数学标记,请替换 裸$\$

df['A'] = df['A'].str.replace('$', '\$')

例如,

import numpy as np
import matplotlib.pyplot as plt
import pandas as pd

df = pd.DataFrame({'A': ['$0-$20', '$20+'], 'B': [10,20]})
df['A'] = df['A'].str.replace('$', '\$')

y = df['B']
x = df['A']
ind = np.arange(len(x))
fig, ax = plt.subplots(1, 1, figsize=(2, 2))

plt.bar(ind, y, 
        tick_label=x, 
        align='center', width=.5, edgecolor='none', 
        color='grey')
plt.show()

enter image description here

或者,您可以使用df.plot(kind='bar')

import numpy as np
import matplotlib.pyplot as plt
import pandas as pd

df = pd.DataFrame({'A': ['$0-$20', '$20+'], 'B': [10,20]})
df['A'] = df['A'].str.replace('$', '\$')

fig, ax = plt.subplots(1, 1, figsize=(2, 2))

df.plot(kind='bar', x='A', y='B',
        align='center', width=.5, edgecolor='none', 
        color='grey', ax=ax)
plt.xticks(rotation=25)
plt.show()

enter image description here