简体   繁体   中英

Accessing a struct within array within a struct

What's the correct way of accessing (with a pointer) a variable within a struct within an array within a struct?

I's like to get to variables x and y within position2D with a pointer from function() ? Note that I'm traversing the nodes (and the points) in function(), and was hoping to write something like:

draw_point(p->vertices[i]->x, p->vertices[i]->y);

but that doesn't seem to work.

typedef struct Position2D{
  uint8_t x;
  uint8_t y;
} position2D;

typedef struct Node{
  int num;
  position2D vertices[4];
  struct Node *next;
} node;

/* initialisation: */

node *next1 = NULL; //should be empty
node node1 = {1, {{0,0}, {5,0}, {5,5}, {0,5}}, &next1};
node *next0 = &node1;
node node0 = {0, {{0,10}, {10,10}, {10,15}, {0,15}}, &next0};
node *start = &node0;

/*traverse all nodes and their inner vertices arrays: */
void function(void){
node *p;
for(p = start; p != NULL; p = p->next){
  int i;
  for (i=0; i<4; i++){ //traverse their four points
    //How to get to the x and y at this line?
  }
}

vertices is a normal structure variable, not of struct pointer type. While accessing x and y use dot . operator instead of -> operator

Replace below statement

draw_point(p->vertices[i]->x, p->vertices[i]->y);

with

 draw_point(p->vertices[i].x, p->vertices[i].y);

EDIT : Another problem in your code while assigning next field.

node node1 = {1, {{0,0}, {5,0}, {5,5}, {0,5}}, &next1};

should be

node node1 = {1, {{0,0}, {5,0}, {5,5}, {0,5}}, (struct Node*)next1};

Here is the working code

#include<stdio.h>
typedef struct Position2D{
        int x;
        int y;
} position2D;

typedef struct Node{
        int num;
        position2D vertices[4];
        struct Node *next;
} node;
/*traverse all nodes and their inner vertices arrays: */
void function(void){
/* initialisation: */
        node *next1 = NULL;
        node node1 = {1, {{0,0}, {5,0}, {5,5}, {0,5}}, (struct Node*)next1};
        node *next0 = &node1;
        node node0 = {0, {{0,10}, {10,10}, {10,15}, {0,15}}, (struct Node*)next0};
        node *start = &node0;
        node *p = NULL ;
        int i=0;
        for(p=start;p!=NULL;p=p->next) {
                for (i=0; i<4; i++){ //traverse their four points
                        printf("%d %d \n",p->vertices[i].x, p->vertices[i].y);
                }
        }

}
int main() {
        function();
        return 0;
}

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM