When trying to instantiate the following class I am getting the following error :
"TypeError: __init__() takes exactly 2 arguments (3 given)"
Do you know what would be the issue ? Here is the class definition :
class db_create_table():
'''
doc here
'''
def __init__(self,TableName, **kwargs ):
self.TableName = TableName
for k,v in kwargs.iteritems():
setattr(self, k, k)
schema = {"id" : { "type":"Integer", "primary":"primary_key=True", "unique":"unique = True"},
"col1" : { "type":"String()", "primary":"primary_key=False", "unique":"unique = True"},
"col2" : { "type":"String()", "primary":"primary_key=False", "unique":"unique = False"},
"col3" : { "type":"String()", "primary":"primary_key=False", "unique":"unique = False"},
"col4" : { "type":"String()", "primary":"primary_key=False", "unique":"unique = False"},
"CreatedOn" : { "type":"DateTime", "primary":"", "unique":"unique = False"},
"UpdatedOn" : { "type":"DateTime", "primary":"primary_key=False", "unique":"unique = False"},
}
db_create_table('Table1', schema)
In order to pass schema
and to unpack it into **kwargs
, you have to use **schema
:
db_create_table('Table1', **schema)
Explanation:
The single asterisk form (*args
) unpacks a sequence to form an argument list, while the double asterisk form (**kwargs
) unpacks a dict-like object to a keyworded argument list.
Without any asterisk, the given object will directly passed as it is, without any unpacking.
See also how to use *args and **kwargs in Python.