This is a class I have:
class metadict(dict):
def __init__(self, do_something=False, *args, **kwargs)
if do_something:
pass
super(metadict,self).__init__(*args,**kwargs)
The idea is to encapsulate a dictionary and add some functionality with a special keyword. The dictionary can still hold do_something
though you can't add it at creation time. For all other aspects it behaves just like a normal dictionary.
Anyway, the problem is that whatever I give to args
it starts by assigning the first value to do_something
which is not what I want.
What I do now is this:
class metadict(dict):
def __init__(self, do_something=False, *args, **kwargs)
if not isinstance(do_something, bool):
args = list(args)
args.append(do_something)
elif do_something:
pass
super(metadict,self).__init__(*args,**kwargs)
But it doesn't look right to me. I could also check for the do_something
value in kwargs, but it will be worse, since I mess with the signature removing useful information...
Is there any way in python to use optional, positional and keyword arguments safely? If not are there other simpler workarounds?
I'm on python 2.6