Is there a reason not to send super().__init__() a dictionary instead of **kwds?

前端 未结 3 900
余生分开走
余生分开走 2021-01-20 05:54

I just started building a text based game yesterday as an exercise in learning Python (I\'m using 3.3). I say \"text based game,\" but I mean more of a MUD than a choose-yo

相关标签:
3条回答
  • 2021-01-20 06:40

    I'm not sure I understand your question exactly, because I don't see how the code looked before you made the change to use in_dict. It sounds like you have been listing out dozens of keywords in the call to super (which is understandably not what you want), but this is not necessary. If your child class has a dict with all of this information, it can be turned into kwargs when you make the call with **in_dict. So:

    class Actor:
        def __init__(self, **kwds):
    
    class Item(Actor):
        def __init__(self, **kwds)
            self._everything = kwds
            super().__init__(**kwds)
    

    I don't see a reason to add another dict for this, since you can just manipulate and pass the dict created for kwds anyway

    Edit:

    As for the question of the efficiency of using the ** expansion of the dict versus listing the arguments explicitly, I did a very unscientific timing test with this code:

    import time
    
    def some_func(**kwargs):
        for k,v in kwargs.items():
            pass
    
    def main():
        name = 'felix'
        location = 'here'
        user_type = 'player'
    
        kwds = {'name': name,
                'location': location,
                'user_type': user_type}
    
        start = time.time()
        for i in range(10000000):
            some_func(**kwds)
    
        end = time.time()
        print 'Time using expansion:\t{0}s'.format(start - end)
        start = time.time()
        for i in range(10000000):
            some_func(name=name, location=location, user_type=user_type)
    
        end = time.time()
        print 'Time without expansion:\t{0}s'.format(start - end)
    
    
    if __name__ == '__main__':
        main()
    

    Running this 10,000,000 times gives a slight (and probably statistically meaningless) advantage passing around a dict and using **.

    Time using expansion:   -7.9877269268s
    Time without expansion: -8.06108212471s
    

    If we print the IDs of the dict objects (kwds outside and kwargs inside the function), you will see that python creates a new dict for the function to use in either case, but in fact the function only gets one dict forever. After the initial definition of the function (where the kwargs dict is created) all subsequent calls are just updating the values of that dict belonging to the function, no matter how you call it. (See also this enlightening SO question about how mutable default parameters are handled in python, which is somewhat related)

    So from a performance perspective, you can pick whichever makes sense to you. It should not meaningfully impact how python operates behind the scenes.

    0 讨论(0)
  • 2021-01-20 06:46

    This is not python specific, but the greatest problem I can see with passing arguments like this is that it breaks encapsulation. Any class may modify the arguments, and it's much more difficult to tell which arguments are expected in each class - making your code difficult to understand, and harder to debug.

    Consider explicitly consuming the arguments in each class, and calling the super's __init__ on the remaining. You don't need to make them explicit:

    class ClassA( object ):
        def __init__(self, arg1, arg2=""):
            pass
    
    class ClassB( ClassA ):
        def __init__(self, arg3, arg4="", *args, **kwargs):
            ClassA.__init__(self, *args, **kwargs)
    
    
    ClassB(3,4,1,2)
    

    You can also leave the variables uninitialized and use methods to set them. You can then use different methods in the different classes, and all subclasses will have access to the superclass methods.

    0 讨论(0)
  • 2021-01-20 06:52

    I've done that myself where in_dict was a dict with lots of keys, or a settings object, or some other "blob" of something with lots of interesting attributes. That's perfectly OK if it makes your code cleaner, particularly if you name it clearly like settings_object or config_dict or similar.

    That shouldn't be the usual case, though. Normally it's better to explicitly pass a small set of individual variables. It makes the code much cleaner and easier to reason about. It's possible that a client could pass in_dict = None by accident and you wouldn't know until some method tried to access it. Suppose Actor.__init__ didn't peel apart in_dict but just stored it like self.settings = in_dict. Sometime later, Actor.method comes along and tries to access it, then boom! Dead process. If you're calling Actor.__init__(var1, var2, ...), then the caller will raise an exception much earlier and provide you with more context about what actually went wrong.

    So yes, by all means: feel free to do that when it's appropriate. Just be aware that it's not appropriate very often, and the desire to do it might be a smell telling you to restructure your code.

    0 讨论(0)
提交回复
热议问题