Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Tuple matching vs. variable assignment in Python

Tags:

python

I always thought that tuple matching was the same as variable assignment, so I thought these two pieces of code did the same thing:

a = b
b = a + b

and

a, b = b, a + b

However, that has not been the case in the following two pieces of code that give me different outputs:

def fib(seq_len):
    a = 1
    b = 1
    sequence = []
    for i in range(seq_len):
        sequence.append(a)
        a, b = b, a + b
    return sequence

fib(10)

which gives the output:

[1, 1, 2, 3, 5, 8, 13, 21, 34, 55]

and

def fib(seq_len):
    a = 1
    b = 1
    sequence = []
    for i in range(seq_len):
        sequence.append(a)
        a = b
        b = a + b
    return sequence

fib(10)

which gives the following output:

[1, 1, 2, 4, 8, 16, 32, 64, 128, 256]

It seems that in the first definition of fib, the previous value of a is being used for a, b = b, a + b but I don't understand how it remembers that previous value because we have assigned a to another value i.e. b before moving on to b = a + b

like image 739
Sorath Avatar asked Oct 21 '25 03:10

Sorath


1 Answers

a, b = b, a + b is equivalent to

t = b, a + b
a, b = t

not

a = b
b = a + b  # essentially, b = 2 * b

The right-hand side must be fully evaluated before you perform either assignment.

like image 121
chepner Avatar answered Oct 23 '25 17:10

chepner



Donate For Us

If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!