Python将唯一类对象添加到列表中

时间:2014-10-31 15:24:20

标签: python class loops

将对象添加到列表时遇到问题。当我将对象附加到列表的末尾然后尝试遍历它时,列表中的每个点都会返回最近添加的对象。

该脚本比较Excel电子表格中不同项目的信息。我使用Python for Windows和win32com.client来访问我感兴趣的拼写表。我在Stack Overflow上阅读了其他一些有关在列表中添加唯一对象时出现问题的其他内容,但我还是我确定我没有犯过同样的错误(在循环中初始化列表,在创建类对象时不提供输入属性)。

我可以在循环中注释掉对象创建并简单地将数字添加到列表中并且能够打印出所有三个唯一值,但是一旦我将对象创建调用回来,就会出错。下面的代码只打印了最近添加的项目中的三个。非常感谢任何帮助,谢谢!

class Project:
    """
    Creates an instance for each project
    in the spreadsheet
    """

    def __init__(self, bldg, zone, p_num, p_name, p_mgr,
                 const_mgr, ehs_lias, ehs_const, status,
                 p_type, start, finish):
        self.bldg = bldg
        self.zone = zone
        self.p_num = p_num
        self.p_name = p_name
        self.p_mgr = p_mgr
        self.const_mgr = const_mgr
        self.ehs_lias = ehs_lias
        self.ehs_const = ehs_const
        self.status = status
        self.p_type = p_type
        self.start = start
        self.finish = finish

    def quickPrint(self):
            """ prints quick glance projects details """
            if p_name is None:
                pass
            else:
                print 'Building ' + str(bldg.Value)
                print str(p_name.Value)
                print str(p_type.Value) + " -- " + str(p_mgr.Value)
                print str(start.Value) + " - " + str(finish.Value)


projects = []
for i in range(25, 28):
    bldg = excel.Cells(i,1)
    zone = excel.Cells(i,2)
    p_num = excel.Cells(i,3)
    p_name = excel.Cells(i,4)
    p_mgr = excel.Cells(i,5)
    const_mgr = excel.Cells(i,6)
    ehs_lias = excel.Cells(i,7)
    ehs_const = excel.Cells(i,8)
    status = excel.Cells(i,9)
    p_type = excel.Cells(i,10)
    start = excel.Cells(i,11)
    finish = excel.Cells(i,12)
    projects.append(Project(bldg, zone, p_num, p_name, p_mgr,
                        const_mgr, ehs_lias, ehs_const,
                        status, p_type, start, finish))
projects[0].quickPrint()
projects[1].quickPrint()
projects[2].quickPrint()

1 个答案:

答案 0 :(得分:0)

我认为你错误地定义了quickPrint。就其而言,p_namep_typep_mgr等未定义,因此它会进一步查看范围解析树或其所谓的内容,然后最终找到它们 - 你最后在for循环中定义它们的地方,这就是它为你提供最后一个值的原因。

因为您在循环中使用了相同的变量名,所以您隐藏了这个问题,并使其更加混乱。

def quickPrint(self):
        """ prints quick glance projects details """
        if self.p_name is None:
            pass
        else:
            print 'Building ' + str(self.bldg.Value)
            print str(self.p_name.Value)
            print str(self.p_type.Value) + " -- " + str(self.p_mgr.Value)
            print str(self.start.Value) + " - " + str(self.finish.Value)

示例:

class Project(object):
  def __init__(self, argument):
    self.argument = argument

  def __repr__(self):
    return str(argument)

projects = []  
for i in range(10):
  argument = i
  projects.append(Project(argument))

print projects

这会输出[9, 9, 9, 9, 9, 9, 9, 9, 9, 9]

__repr__(self):定义更改为self.argument修复它。