I am trying to work out a double pointer to a structure in C and cannot figure out what is going wrong... The simple source is below:
typedef struct
{
int member;
} mystruct;
void myfunc(mystruct **data)
{
(*data)->member = 1;
}
void main(int argc, char *argv[])
{
mystruct **data;
myfunc(data);
printf("member = %d\n", (*data)->member);
}
A similar question was asked here: How to work with pointer to pointer to structure in C? on how to modify a member of a structure through a double pointer. The solution was the syntax (*data)->member = 1;
which makes sense. But in my little application here, I receive a seg fault when executing that line. What am I doing wrong?
Thanks
You received a segfault because you did not allocate a struct.
The value of
data
is garbage, so it is pointing to some place in memory that is not owned by your process, or is otherwise inaccessible.You need to first allocate an object of type
mystruct
. Here is a working example for you: http://ideone.com/XIdJ8You're passing it a pointer, but the pointer isn't pointing at anything.
This may be more useful:
You need to point to something if you are going to dereference a pointer. Try this:
If you only need to pass the double pointer to a library function, you don't need to create a variable for it. You make a normal pointer variable, initialize it to point to appropriate storage (if required by the function), then pass the address of the pointer (thus creating the double-pointer "on the fly").
I've never used libusb, so I'll give an example using a standard library function. From the manpage:
It only looks like a double-pointer. It's really a simulated-pass-by-reference single pointer. Allowing the function to return extra information besides its normal return value.
strtol
returns a long integer but it also can tell you at what point the string contents stopped looking like a number.Output:
data
is not initialized, and hence doesn't point to any sensible memory address. Moreover, there is nomystruct
structure floating around, so there really isn't even any sensible data to point to. For your example, you want to:mystruct
.