After reading some MPI specs I'm lead to understand that, when initializing with MPI_THREAD_SERIALIZED, a program must ensure that MPI_Send/Recv calls that occur in separate threads must not overlap. In other words, you need a mutex to protect MPI calls.
Consider this situation:
Mutex mpi_lock = MUTEX_INITIALIZER;
void thread1_function(){
while(true){
/* things happen */
lock(mpi_lock);
MPI_Send(/* some message */);
unlock(mpi_lock);
/* eventually break out of loop */
}
}
void thread2_function(){
while(true){
/* things happen */
char *buffer = CREATE_BUFFER();
lock(mpi_lock);
MPI_Recv(buffer /* some message stored in buffer */);
unlock(mpi_lock);
/* eventually break out of loop */
}
}
int main(){
create_thread(thread1_function);
create_thread(thread2_function);
return 0;
}
Here's my question: Is this the correct method and/or is it necessary? In my situation I have to assume that there may be large time gaps between messages being received in thread2_function(). Is there a way to prevent thread1_function() from having to wait for thread2_function() to complete a receive before being able to perform the send?
I'm already aware of MPI_THREAD_MULTIPLE but system constraints mean this is unavailable to me.
I'm open to suggestions for restructuring the code but my goal is to have a "main" thread that constantly does work and MPI_Send's results without being interrupted, while another thread manages receiving and appending to a queue for the main thread.
Thanks in advance.