python-'str'abject没有属性'scatter'

时间:2017-01-19 16:26:29

标签: string python-3.x matplotlib scatter-plot subplot

我需要通过metplotlib.pyplot绘制一个7x7散点图(此时没有seaborn)。我试着让它成为半自动的,所以我使用一个斧头名称ax11,ax12,......,ax77来呈现子图。这意味着当我使用它们调用散点图时,它会被拒绝,我认为python将它们识别为字符串而不是子图的关键字。错误消息是“AttributeError:'str'对象没有属性'scatter'”。以下是代码的一部分:

import matplotlib.pyplot as plt
import numpy as np

characters = ['A','B','C','D','E','F']

box = dict(facecolor ='yellow', pad = 5, alpha = 0.2)

fig, ((ax11,ax12,ax13,ax14,ax15,ax16,ax17),\
      (ax21,ax22,ax23,ax24,ax25,ax26,ax27),\
      (ax31,ax32,ax33,ax34,ax35,ax36,ax37),\
      (ax41,ax42,ax43,ax44,ax45,ax46,ax47),\
      (ax51,ax52,ax53,ax54,ax55,ax56,ax57),\
      (ax61,ax62,ax63,ax64,ax65,ax66,ax67),\
      (ax71,ax72,ax73,ax74,ax75,ax76,ax77),\
      ) = plt.subplots(7,7)
fig.subplots_adjust(left = 0.2, wspace =0.2,)
fig.tight_layout(pad=1, w_pad=2, h_pad=4.0)
st = fig.suptitle("Scatterplot diagram", \
     fontsize="x-      large")

for i in range(7):
    for j in range(7):
        no_ax = str(i)+str(j)
        nm_ax = "ax"+str(no_ax)
        nm_ax.scatter(data[caracters[i]],data[caracters[i]])
        nm_ax.set_title('xy')
        nm_ax.set_xlabel('x')
        nm_ax.set_ylabel('y')
        continue 

st.set_y(0.95)
fig.subplots_adjust(top=0.85)

plt.show()

我相信有一种方法可以将字符串转换为正确的格式,但我不知道如何。请帮忙。感谢。

1 个答案:

答案 0 :(得分:0)

一般来说,应该避免从字符串构建变量名的方法。虽然这可以使用eval函数来完成,但它甚至不是必需的。

问题在于

no_ax = str(i)+str(j) #this is a string
nm_ax = "ax"+str(no_ax) # this is still a string
nm_ax.scatter(data[caracters[i]],data[caracters[i]]) 
# a string cannot be plotted to

字符串没有scatter方法。您需要的是您绘制的axes对象。

解决方案是直接在循环中使用在plt.subplots()调用中创建的轴。

import matplotlib.pyplot as plt
import numpy as np

fig, axes = plt.subplots(ncols=7,nrows=7)

for i in range(7):
    for j in range(7):
        axes[i,j].scatter(np.random.rand(5),np.random.rand(5))
        axes[i,j].set_title('{},{}'.format(i,j))

plt.show()