Consider the below program.
C++
#include <bits/stdc++.h>
using namespace std;
int x = 0;
int f1()
{
x = 5;
return x;
}
int f2()
{
x = 10;
return x;
}
int main()
{
int p = f1() + f2();
cout << ( "%d " , x);
getchar ();
return 0;
}
|
C
#include <stdio.h>
int x = 0;
int f1()
{
x = 5;
return x;
}
int f2()
{
x = 10;
return x;
}
int main()
{
int p = f1() + f2();
printf ( "%d " , x);
getchar ();
return 0;
}
|
Java
class GFG {
static int x = 0 ;
static int f1()
{
x = 5 ;
return x;
}
static int f2()
{
x = 10 ;
return x;
}
public static void main(String[] args)
{
int p = f1() + f2();
System.out.printf( "%d " , x);
}
}
|
Python3
class A():
x = 0 ;
def f1():
A.x = 5 ;
return A.x;
def f2():
A.x = 10 ;
return A.x;
p = A.f1() + A.f2();
print (A.x);
|
C#
using System;
class GFG {
static int x = 0;
static int f1()
{
x = 5;
return x;
}
static int f2()
{
x = 10;
return x;
}
public static void Main(String[] args)
{
int p = f1() + f2();
Console.WriteLine( "{0} " , x);
}
}
|
PHP
<?php
$x = 0;
function f1()
{
global $x ;
$x = 5;
return $x ;
}
function f2()
{
global $x ;
$x = 10;
return $x ;
}
$p = f1() + f2();
print ( $x );
?>
|
Javascript
<script>
x = 0;
function f1()
{
x = 5;
return x;
}
function f2()
{
x = 10;
return x;
}
var p = f1() + f2();
document.write(x);
</script>
|
Output:
10
What would the output of the above program – ‘5’ or ’10’?
The output is undefined as the order of evaluation of f1() + f2() is not mandated by standard. The compiler is free to first call either f1() or f2(). Only when equal level precedence operators appear in an expression, the associativity comes into picture. For example, f1() + f2() + f3() will be considered as (f1() + f2()) + f3(). But among first pair, which function (the operand) evaluated first is not defined by the standard.
Thanks to Venki for suggesting the solution.
Please write comments if you find anything incorrect, or you want to share more information about the topic discussed above.
Please Login to comment...