C Double Pointer to Structure

后端 未结 5 990
面向向阳花
面向向阳花 2020-12-14 17:19

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
{
    in         


        
相关标签:
5条回答
  • 2020-12-14 17:51

    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.
    0 讨论(0)
  • 2020-12-14 17:54

    You're passing it a pointer, but the pointer isn't pointing at anything.

    This may be more useful:

    void main(int argc, char *argv[])
    {
        mystruct data;
        mystruct *ptr = &data;
        myfunc(&ptr);
        printf("member = %d\n", (*ptr)->member);
    }
    
    0 讨论(0)
  • 2020-12-14 17:57

    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

    0 讨论(0)
  • 2020-12-14 18:02

    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);
    }
    
    0 讨论(0)
  • 2020-12-14 18:10

    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;
    
    0 讨论(0)
提交回复
热议问题