Computer >> Computer tutorials >  >> Programming >> Python

Python Assignment Operators


Assume variable a holds 10 and variable b holds 20, then −

Sr.NoOperator & DescriptionExample
1=
Assigns values from right side operands to left side operand
c = a + b assigns value of a + b into c
2+= Add AND
It adds right operand to the left operand and assign the result to left operand
c += a is equivalent to c = c + a
3-= Subtract AND
If values of two operands are not equal, then condition becomes true.It subtracts right operand from the left operand and assign the result to left operand
c -= a is equivalent to c = c - a
4*= Multiply AND
It multiplies right operand with the left operand and assign the result to left operand
c *= a is equivalent to c = c * a
5/= Divide AND
It divides left operand with the right operand and assign the result to left operand
c /= a is equivalent to c = c / a
6%= Modulus AND
It takes modulus using two operands and assign the result to left operand
c %= a is equivalent to c = c % a
7**= Exponent AND
Performs exponential (power) calculation on operators and assign value to the left operand
c **= a is equivalent to c = c ** a
8//= Floor Division
It performs floor division on operators and assign value to the left operand
c //= a is equivalent to c = c // a

Example

Assume variable a holds 10 and variable b holds 20, then −

#!/usr/bin/python
a = 21
b = 10
c = 0
c = a + b
print "Line 1 - Value of c is ", c
c += a
print "Line 2 - Value of c is ", c
c *= a
print "Line 3 - Value of c is ", c
c /= a
print "Line 4 - Value of c is ", c
c = 2
c %= a
print "Line 5 - Value of c is ", c
c **= a
print "Line 6 - Value of c is ", c
c //= a
print "Line 7 - Value of c is ", c

Output

When you execute the above program it produces the following result −

Line 1 - Value of c is 31
Line 2 - Value of c is 52
Line 3 - Value of c is 1092
Line 4 - Value of c is 52
Line 5 - Value of c is 2
Line 6 - Value of c is 2097152
Line 7 - Value of c is 99864