A good question usually asked at interviews,- /**************************/ int * func(int, int); void main() { int *ptr = func(2,3); printf("\nHello World!\n"); printf("\n%d\n",*ptr); } int * func(int i, int j) { int k = i + j; return &k; } /**************************/ What will be the output of the above program? Scroll down for answer. Here is the output,- Hello World! Garbage Value Note that Garbage Value will be printed here instead of 5. This is because once the control returns from func() to the main(), the address of local variable 'k' is free. So the contents of this address can be modified by anybody else.
I will add one more here Code: void AllocateMem(int *p) { p = (int*)malloc(sizeof(int)); *p = 6; return; } void main() { int *a; AllocateMem(&a); printf("[%d]",*a); } Gives an exception. I want the function to allocate the memory and want that to use in main. How? Scroll down for an answer Code: void AllocateMemory(int **p) { *p = (int*)malloc(sizeof(int)); **p = 6; return; } void main() { int *a; AllocateMemory(&a); printf("[%d]",*a); }
I will add one Code: class A { private: int a; public: void func(void); }; class B { private: int a; public: virtual void func(void); }; int main() { A a; B b; cout<<sizeof(a)<<" "<<sizeof(b)<<endl; } What will be the output of the above program and why? Scroll down for an answer 2 4 because there is a Pointer to the virtual table to resolve the dynamic binding of the virtual function.