C Double Pointer to Structure

You need to point to something if you are going to dereference a pointer. Try this:

void main(int argc, char *argv)
{
    mystruct actualThing;
    mystruct *pointer = &actualThing;
    mystruct **data = &pointer;
    myfunc(data);

    printf("Member: %d", (*data)->member);
}

data is not initialized, and hence doesn't point to any sensible memory address. Moreover, there is no mystruct structure floating around, so there really isn't even any sensible data to point to. For your example, you want to:

  1. Create a mystruct.
  2. Make a pointer to it.
  3. Make a pointer to that pointer.

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/XIdJ8


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:

   #include <stdlib.h>

   long int strtol(const char *nptr, char **endptr, int base);

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.

#include <stdio.h>
#include <stdlib.h>

int main(void) {
    char *str = "99RED BALLOONS";
    char *what;
    long num;

    num = strtol(str, &what, 10);
    printf("Quantity: %ld;    Description: %s;\n", num, what);

    return 0;
}

Output:

Quantity: 99;    Description: RED BALLOONS;