Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

why these both post increment in PHP gives the same answer? [duplicate]

I am trying to run the following code in PHP through localhost, but its giving the unexpected output!

<?php
    $a = 1;
    echo ($a+$a++); // 3
?>

//answer is 3 but answer should be 2 due to post increment here is another code and it gives the same answer! why?

<?php
   $a = 1;
   echo ($a+$a+$a++);
?>

//answer is still 3 !!!

like image 853
RAK Avatar asked Dec 12 '17 06:12

RAK


1 Answers

The PHP manual says the following:

Operator precedence and associativity only determine how expressions are grouped, they do not specify an order of evaluation. PHP does not (in the general case) specify in which order an expression is evaluated and code that assumes a specific order of evaluation should be avoided, because the behavior can change between versions of PHP or depending on the surrounding code.

So what this comes down to, PHP doesn't explicitly define what the end-result is of those types of statements, and it may even change between PHP versions. We call this undefined behavior, and you shouldn't rely on it.

You might be able to find an exact reason somewhere in the source why this order is chosen, but there might not be any logic to it.

Your two examples are being evaluated as follows:

<?php
  $a = 1;
  echo ($a + $a++); // 3
?>

Really becomes:

<?php
  $a = 1;
  $b = $a++;
  echo ($a + $b); // a = 2, b = 1
?>

Your second example:

<?php
  $a = 1;
  echo ($a + $a + $a++); // 3
?>

Becomes:

<?php
  $a = 1;
  $b = $a + $a;
  $a++;
  echo $b + $a; // 3
?>

I hope this kind of makes sense. You're right that there's no hard logic behind this.

like image 146
Evert Avatar answered Nov 17 '22 07:11

Evert