In this example code:
JavaScript
x
12
12
1
class new:
2
def __init__(self, list):
3
self.list = list
4
def math(self):
5
average = sum(self.list)/len(self.list)
6
total = sum(self.list)
7
return len(self.list)
8
def values(self):
9
return self.list
10
11
list = new([1,2,3,4])
12
is there a way to call the average and total variables in the math method without putting it in the return function (I want the math function to only return the length of the list)? I tried this:
JavaScript
1
2
1
list.math().average
2
but this gives an error. I want to be able to call the variables in one line. Any suggestions?
Advertisement
Answer
You can put them in instance attributes.
JavaScript
1
14
14
1
class new:
2
def __init__(self, l):
3
self.list = l
4
def math(self):
5
self.average = sum(self.list)/len(self.list)
6
self.total = sum(self.list)
7
return len(self.list)
8
def values(self):
9
return self.list
10
11
mylist = new([1,2,3,4])
12
mylist.math()
13
print(mylist.average, mylist.total)
14
BTW, don’t use list
as a variable name, it replaces the built-in function with that name.