美文网首页
Python进阶 对象变动(Mutation)

Python进阶 对象变动(Mutation)

作者: FicowShen | 来源:发表于2018-06-12 17:57 被阅读9次

    每当你将一个变量赋值为另一个可变类型的变量时,对这个数据的任意改动会同时反映到这两个变量上去。
    新变量只不过是老变量的一个别名而已。这个情况只是针对可变数据类型。示例:

    foo = ['hi']
    print(foo)
    # Output: ['hi']
    
    bar = foo
    bar += ['bye']
    print(foo)
    # Output: ['hi', 'bye']
    




    在Python中当函数被定义时, 默认参数只会运算一次,而不是每次被调用时都会重新运算 。(曾经在此掉坑)
    你应该永远不要定义可变类型的默认参数,除非你知道你正在做什么。示例:

    def add_to(num, target=[]):
        target.append(num)
        return target
    
    add_to(1)
    # Output: [1]
    
    add_to(2)
    # Output: [1, 2]
    
    add_to(3)
    # Output: [1, 2, 3]
    




    现在每当你在调用这个函数不传入target参数的时候,一个新的列表会被创建。

    def add_to(element, target=None):
        if target is None:
            target = []
        target.append(element)
        return target
    
    add_to(42)
    # Output: [42]
    
    add_to(42)
    # Output: [42]
    
    add_to(42)
    # Output: [42]
    

    相关文章

      网友评论

          本文标题:Python进阶 对象变动(Mutation)

          本文链接:https://www.haomeiwen.com/subject/hpereftx.html