如何求和对象的所有实例的属性

pie*_*uez 1 python python-3.x python-object

我想对一个对象的所有实例的 costsum 属性求和。

class ActivityCenter:

    def __init__(self, costpool, costsum, costdriver, cdunits):
        self.costpool = costpool
        self.costsum = costsum
        self.costdriver = costdriver
        self.cdunits = cdunits

cp1 = ActivityCenter("Material Handling", 480000, "Pounds", 160000)
cp2 = ActivityCenter("Production orders", 90000, "Num of POs", 200)

# I am looking to add up the costsum values for all instances, similar to:
costsumtotal = (cp1.__dict__.get("costsum")) + (cp2.__dict__.get("costsum"))
Run Code Online (Sandbox Code Playgroud)

到目前为止,我已经尝试使用 sum() 进行如下理解,参考这个解决方案

B = []
for i in range(10):
    B.append(ActivityCenter())

s = sum(i.costsum for i in B)
Run Code Online (Sandbox Code Playgroud)

但是我无法克服缺少 4 个必需位置参数的 TypeError。

Dae*_*Lee 5

要使用sumPython 中的内置函数来处理对象的成员变量,您需要对对象的成员变量进行一个序列(例如,元组或列表)。以下代码段显示了如何制作对象成员变量的列表。您发布的代码省略了理解表达式。我希望它会有所帮助:)

class ActivityCenter:

    def __init__(self, costpool, costsum, costdriver, cdunits):
        self.costpool = costpool
        self.costsum = costsum
        self.costdriver = costdriver
        self.cdunits = cdunits

"""
Create some objects

objs = []
for i in range(num_obj):
    objs.append(ActivityCenter(<some value>,<...>,<...>,<...>))

Or use objects to make a list
"""
cp1 = ActivityCenter("Material Handling", 480000, 160000, "Pounds")
cp2 = ActivityCenter("Production orders", 90000, 200, "Num of POs")
cp3 = ActivityCenter("Marketing", 120000, 1000, "Num of events")

objs = [cp1, cp2, cp3]

total_cost = sum([obj.costsum for obj in objs])  # List comprehension
print("Total cost: ", total_cost)
Run Code Online (Sandbox Code Playgroud)

  • @TigerhawkT3 感谢您的建议。我把它解释得更清楚了。 (2认同)