32

How does Python evaluate the expression 1+++2?

How many ever + I put in between, it is printing 3 as the answer. Please can anyone explain this behavior

And for 1--2 it is printing 3 and for 1---2 it is printing -1

pushkin
  • 9,575
  • 15
  • 51
  • 95
udpsunil
  • 1,375
  • 2
  • 16
  • 29

6 Answers6

63

Your expression is the same as:

1+(+(+2))

Any numeric expression can be preceded by - to make it negative, or + to do nothing (the option is present for symmetry). With negative signs:

1-(-(2)) = 1-(-2)
         = 1+2
         = 3

and

1-(-(-2)) = 1-(2)
          = -1

I see you clarified your question to say that you come from a C background. In Python, there are no increment operators like ++ and -- in C, which was probably the source of your confusion. To increment or decrement a variable i or j in Python use this style:

i += 1
j -= 1
hjpotter92
  • 78,589
  • 36
  • 144
  • 183
Greg Hewgill
  • 951,095
  • 183
  • 1,149
  • 1,285
  • 3
    Btw: That was a design decision from the Python creators. It should exactly prohibit writing such indetermined code like i+++j. – Boldewyn Jul 07 '09 at 08:17
15

The extra +'s are not incrementors (like ++a or a++ in c++). They are just showing that the number is positive.

There is no such ++ operator. There is a unary + operator and a unary - operator though. The unary + operator has no effect on its argument. The unary - operator negates its operator or mulitplies it by -1.

+1

-> 1

++1

-> 1

This is the same as +(+(1))

   1+++2

-> 3 Because it's the same as 1 + (+(+(2))

Likewise you can do --1 to mean - (-1) which is +1.

  --1

-> 1

For completeness there is no * unary opeartor. So *1 is an error. But there is a ** operator which is power of, it takes 2 arguments.

 2**3

-> 8

Brian R. Bondy
  • 339,232
  • 124
  • 596
  • 636
4

1+(+(+2)) = 3

1 - (-2) = 3

1 - (-(-2)) = -1

alexwood
  • 612
  • 2
  • 7
  • 14
4

Trying Unary Plus and Unary minus:

The unary - (minus) operator yields the negation of its numeric argument.

The unary + (plus) operator yields its numeric argument unchanged.

>>> +2
2
>>> ++2
2
>>> +++2
2
>>> -2
-2
>>> --2
2
>>> ---2
-2
>>> 1+(++2)
3
Community
  • 1
  • 1
gimel
  • 83,368
  • 10
  • 76
  • 104
1

Think it as 1 + (+1*(+1*2))). The first + is operator and following plus signs are sign of second operand (= 2).

Just like 1---2 is same as 1 - -(-(2)) or 1- (-1*(-1*(2))

Juha Syrjälä
  • 33,425
  • 31
  • 131
  • 183
1

I believe it's being parsed as, the first + as a binary operation (add), and the rest as unary operations (make positive).

 1 + (+(+2))
James Curran
  • 101,701
  • 37
  • 181
  • 258