accessing struct: derefrencing pointer to incomple

2020-05-06 08:28发布

When I'm trying to use and access the pointers to my structs i keep getting the annoying message of "dereferencing pointer to incomplete type" ....

For example in my user.h file I have this typedef:

typedef struct FacebookUser_t* User;

and in my user.c file which includes user.h I have this struct:

struct FacebookUser_t {...}; 


So when I need a pointer to that struct I only use User blabla; it seems to work, and I add it to generic list as Element which is void* and that's the typedef for it in list.h:

typedef void* Element;

and when I get back a node from the list which contains Element (User) I can't access it's members, what I'm doing wrong? Thanks!

3条回答
Bombasti
2楼-- · 2020-05-06 09:11

If you want to hide the definition of a structure (by sticking the actual struct { block in a single C file and only exposing a typedefed name in the header, you cannot expect to access the fields directly.

One way around this is to continue with the encapsulation, and define accessor functions, i.e. you'd have (in user.h):

const char * user_get_name(const User user);
void         user_set_name(User user, const char *new_name);
...

Please note that including the * in the typedef is often confusing, in my opinion.

查看更多
Animai°情兽
3楼-- · 2020-05-06 09:12

The problem is that the C file doesn't have access to the implementation of that strucure.

Try to move the definition of the structure in the header file.

查看更多
爷、活的狠高调
4楼-- · 2020-05-06 09:20

As I understand it you try to access the members of User...

...via a Element, which is a void *. This can not work, because the compiler does not know what type it should dereference. For example:

int *intPtr = getIntPtr();
//Here the compiler knows that intPtr points to an int, so you can do
int i = *intPtr;

User *userPtr = getUserPtr();
//Here the compiler knows that userPtr points to an instance of User so you can do 
User usr = *usrPtr;
//or access its member via ->
auto x = usr->someMember;

Element el = getElementFromSomewhere();
//el is of type void *!! void *can point to anything and everything
//the compiler has no clue what you want to do! So this both fails:
usr = *el; 
el->someMember;

You first need to tell the compiler what your void * is pointing to. To do that you cast the pointer:

Element el = getElementFromSomewhere();
User *usrPtr = (User *)el;

I hope I understood your problem and this helps :)

查看更多
登录 后发表回答