I have a structure :
struct vertex
{
double a; double b;
}
struct polygon
{
int numofVertex;
vertex *v;
}
How to send this nested structure in MPI using MPI_Send?
The problem is that the structure contains pointer field "v" due to which MPI_Send crashes.
I have tried MPI_Datatype to define new data type, it doesnot work.
I read that serialization is the only solution but C doesnot provide such implementation.
Any suggestions how to get around with this problem?
You'll have to send it in two messages:
// 'p' is a pointer to your polygon
vertex *tmp = p->v;
p->v = NULL;
MPI_Send(p, sizeof(struct polygon), MPI_BYTES, dest, 1, ...);
MPI_Send(tmp, sizeof(struct vertex), MPI_BYTES, dest, 2, ...);
p->v = tmp;
On the receiving end, you simply receive the struct in two steps:
polygon p;
MPI_Recv(&p, sizeof(struct polygon), MPI_BYTES, src, 1, ...);
p.vertex = malloc(sizeof(struct vertex));
MPI_Recv(p.vertex, sizeof(struct vertex), MPI_BYTES, src, 2, ...);
Obviously this is not very nice, so it'll be easier if you keep your struct pointer-less so you can send it at once.