How to get the maximum value among the arguments of class objects in Python?

1k Views Asked by At

I have sample class and instances:

class A:
   def __init__(self, num)

#instances
a = A(2)
b = A(4)
c = A(5)
d = A(7)

In another class (class B) within a method, I have to get the highest value among the arguments 2,4,5,7 because I need it for a conditional statement. But I'm having a hard time coding because the instances were put in a list. That is,

lst = [a,b,c,d]

So,

class B:
  def __init__(self, point_list)

  def com()
    x = 0
    while x < max(other_class.point_list.num)

lst = [a,b,c,d]
other_class = B(lst)

From def com(), I need 7 to be the max value I am comparing to x but I don't know how I can get it. My code was wrong. I don't even know if the max function is to be used.

The error that pops when I use the max function is:

'list' object has no attribute 'num'
3

There are 3 best solutions below

3
On

It is confusing what you want but from what I understand is you want to find max value of point_list. You can do the following:

class B:
  def __init__(self, point_list):
    self.point_list = point_list

  def com(self):
    x = 0
    while x < max(self.point_list):
        pass

lst = [a,b,c,d]
other_class = B(lst)
2
On

you need to iterate over the list and get the maximum element

>>> 
>>> class B:
...     def __init__(self, point_list):
...             self.pl = point_list
...     def com(self):
...             return max(self.pl, key=lambda x:x.num).num
... 
>>> other_class = B(lst)
>>> other_class.com()
7
2
On

You need to use the key argument of max(). Also, if you want to call other_class.com() to get the maximum value, then the function com() has to have a self argument:

class A:
   def __init__(self, num):
      self.num = num

#instances
a = A(2)
b = A(4)
c = A(5)
d = A(7)

class B:
  def __init__(self, point_list):
    self.point_list = point_list

  def com(self):
    x = 0
    while x < max(self.point_list, key=lambda n: n.num):
        # Code goes here

lst = [a,b,c,d]
other_class = B(lst)

The key=lambda n: n.num makes max() return the A instance with the highest .num. Also, __init__ is a function, so it needs a colon after it, and you need to assign self.num = num and self.point_list = point_list