#include<stdio.h>
#include<conio.h>
#include<alloc.h>
int * makearray(int );
void readdata(int *,int );
void printdata(int *,int );
void main()
{
int *a,num;
clrscr();
printf("enter the size of array\n");
scanf("%d",&num);
a=makearray(num);
readdata(temp,num);
printdata(a,num);
getch();
}
int * makearray(int n)
{
int *temp;
temp=(int *)malloc(sizeof(int)*n);
printf("address of temp is %x and value of temp is %d and first value of temp is garbage i.e %d\n",&temp,temp,*temp);
return temp;
}
void readdata(int *x,int n)
{
for(n--; n>=0; n--)
{
printf("enter the value in cell[%d]\n",n);
scanf("%d",x+n);
}
return;
}
void printdata(int *x,int n)
{
for(n--; n>=0; n--)
printf("the value in cell[%d] is %d",n,*(x+n));
return;
}
in the following code I want to know since the scope of heap variables if for the duration of the program why is temp
shown as unidentified symbol in the program?
Also I want to know what is the lifetime and scope of the heap variables.
Also I want to know that since a variable is reserved a space in memory only when it is initialized when we return the pointer temp
a is initialized but what happens to temp
after that ? Does it remain initialized or it is freed.
I think you're mixing up two concepts, scope and lifetime.
Quoting
C11
, chapter §6.2.1and
The problem here is, the identifier
temp
has a block scope of functionmakearray()
. The value held bytemp
(a pointer) is returned by a memory allocator functions and thus obviously it has a liferime until it's deallocated but that does not mean thetemp
variable itself has a file scope.You have used another variable
a
to store the return value ofmakearray()
, so use that.