retagged by
15,354 views
18 votes
18 votes

Consider the following C program:

#include <stdio.h>
int main()
{
    int a[] = {2, 4, 6, 8, 10};
    int i, sum=0, *b=a+4;
    for (i=0; i<5; i++)
        sum=sum+(*b-i)-*(b-i);
    printf("%d\n", sum);
    return 0;
}

The output of the above C program is _______

retagged by

2 Answers

Best answer
34 votes
34 votes
$\text{sum}=0, *b = a+4  \text{ i.e.pointing to }10$

$\text{sum}= \text{sum}+ (*b-i) - *(b-i)$

$i=0$
$\text{sum}= 0+ (10-0) - (10) = 0$

$i=1$
$\text{sum}= 0 + (10-1) - (8) = 1$

$i=2$
$\text{sum}= 1 + (10-2) - (6) = 3$

$i=3$
$\text{sum}= 3 + (10-3) - (4) = 6$

$i=4$
$\text{sum}= 6 + (10-4) - (2) = 10$
edited by
6 votes
6 votes
#include <stdio.h>
int main()
{
    int a[] = {2, 4, 6, 8, 10};
    int i, sum=0, *b=a+4; /* Here b points to the address of a[4]=10 */
    
    /*  *b means the value of which the address b points to. */
    /*  So *b = a[4] = 10 */
    
    /*  (b-1) means &a[4-1], so *(b-1)=a[4-1]=8  */
    /*  (b-2) means &a[4-2], so *(b-2)=a[4-2]=6  */
    /*  and so on.  */
    
    for (i=0; i<5; i++)
        sum=sum+(*b-i)-*(b-i); /* sum=0+(10-0)-(10) = 0 */
                               /* sum=0+(10-1)-(8) = 1 */
                               /* sum=1+(10-2)-(6) = 3 */
                               /* sum=3+(10-3)-(4) = 6 */
                               /* sum=6+(10-4)-(2) = 10 */
        
    printf("%d\n", sum);       /* It will give the output as 10. */
    return 0;
}

 

So the correct answer is $10$.

 

Answer:

Related questions

21 votes
21 votes
3 answers
1
59 votes
59 votes
9 answers
2
Arjun asked Feb 7, 2019
27,038 views
Consider the following C program:#include <stdio.h int r() { static int num=7; return num ; } int main() { for (r();r();r()) printf(“%d”,r()); return 0; }Which one of...
14 votes
14 votes
6 answers
3
Arjun asked Feb 7, 2019
13,413 views
Consider the following C program:#include <stdio.h int main() { int arr[]={1, 2, 3, 4, 5, 6, 7, 8, 9, 0, 1, 2, 5}, *ip=arr+4; printf(“%d\n”, ip ); return 0; }The numb...
13 votes
13 votes
4 answers
4
Arjun asked Feb 7, 2019
9,564 views
Consider the following C program :#include<stdio.h int jumble(int x, int y){ x = 2*x+y; return x; } int main(){ int x=2, y=5; y=jumble(y,x); x=jumble(y,x); printf("%d \n"...