I have two structs
struct point {
     double x;
     double y;   
};
struct points_set {
      int num_of_points;
      struct point *points; //an array of points sets 
}
I need to implement memory allocation for struct points_set.
(i.e. to implement function struct point_set *alloc_points(struct point p_arr[], int size);)
As I see, we need to allocate memory twice, i.e. for point_set, and for the array of points that is inside the structure.
Firstly we allocate memory for the array that is supposed to be inside points_set, i.e.
struct point *arr_points = (struct point *)malloc(size * sizeof(point));
Then we allocate memory for the whole structure
struct point_set *setOfPoints = (struct point_set *)malloc(size * sizeof(struct points_set));
Finally, we make pointer from "setOfPoints" to "points"
setOfPoints->points = arr_points; 
Question: Is it correct?
 
    