How does a function return value is clear to me, just to kick start:
int f()
{
int a = 2;
return a;
}
Now a
gets the memory in stack and its life-span is within the f()
in order to return the value it copies the value to a special register which is read by the caller as it knows that the callee have placed the value for him.
(Since the size of return-value-holder special register size is limited that's why we cant return large objects therefore In case of advance languages when we want to return object function actually copies the address of object in heap to that special register)
Lets come back to C for a situation when i want to return a struct variable not pointer:
struct inventory
{
char name[20];
int number;
};
struct inventory function();
int main()
{
struct inventory items;
items=function();
printf("\nam in main\n");
printf("\n%s\t",items.name);
printf(" %d\t",items.number);
getch();
return 0;
}
struct inventory function()
{
struct inventory items;
printf(" enter the item name\n ");
scanf(" %s ",&items.name );
printf(" enter the number of items\n ");
scanf("%d",&items.number );
return items;
}
Code forked from: https://stackoverflow.com/a/22952975/962545
Here is the deal,
Lets start with main, items
variable declared but not initialized and then function is called which return initialized structure variable which gets copied to the one in main.
Now I am bit blurred to understand how function()
returned struct variable items
which is not dynamically created(technically not in heap) so this variable's life-span is within the function()
body, also size of variable item
can be huge enough not to fit in special register so why it worked?.(I know we can dynamically allocate item inside function and return the address but I don't want alternative, I am looking for explanation)
Question:
Although it works but how does function()
actually returned the struct variable and get copied to items
variable in main when it is supposed to die with function()
return.
I am surely missing important thing, detailed explanation would help. :)
EDIT: Other Answer References: