I'm trying to make a class inherit from datetime.date, call the superclasses __init__ function, and then add a few variables on top which involves using a fourth __init__ argument on top of year, month and day.
Here is the code:
class sub_class(datetime.date):    
    def __init__(self, year, month, day, lst):  
        super().__init__(year, month, day)
            for x in lst:
                # do stuff
inst = sub_class(2014, 2, 4, [1,2,3,4])
This raises the below error:
Traceback (most recent call last):
  File "<pyshell#7>", line 1, in <module>
    inst = sub_class(2014, 2, 4, [1,2,3,4])
TypeError: function takes at most 3 arguments (4 given)
If I remove the last argument I get the below:
Traceback (most recent call last):
  File "<pyshell#8>", line 1, in <module>
    inst = sub_class(2014, 2, 4)
TypeError: __init__() missing 1 required positional argument: 'lst'
I take it that this is due to a mismatch between __new__ and __init__. But how do I solve it? Do I need to redefine __new__? In which case do I need to call the superclasses __new__ constructor as well?
 
    