Извините, только что нашел этот код здесь - http://www.yolinux.com/TUTORIALS/LinuxTutorialPosixThreads.html, и мьютекс был объяснен с этим кодом, но он прошел немного над моей головой Я понимаю функцию мьютекса и то, что он защищает общую переменную во время ее критической секции. Подробности здесь сбивают меня с толку, хотя! Насколько я понимаю, мы создаем новый поток с pthread_create, он запускает процесс functionC, который увеличивает счетчик. Счетчик является защищенной переменной, и, поскольку обе функции работают одновременно, счетчик вернет неправильное значение, если он не был защищен мьютексом.
Это правильно / близко? Большое спасибо:).
#include <stdio.h>
#include <stdlib.h>
#include <pthread.h>
void *functionC();
pthread_mutex_t mutex1 = PTHREAD_MUTEX_INITIALIZER;
int counter = 0;
main()
{
int rc1, rc2;
pthread_t thread1, thread2;
/* Create independent threads each of which will execute functionC */
if( (rc1=pthread_create( &thread1, NULL, &functionC, NULL)) )
{
printf("Thread creation failed: %d\n", rc1);
}
if( (rc2=pthread_create( &thread2, NULL, &functionC, NULL)) )
{
printf("Thread creation failed: %d\n", rc2);
}
/* Wait till threads are complete before main continues. Unless we */
/* wait we run the risk of executing an exit which will terminate */
/* the process and all threads before the threads have completed. */
pthread_join( thread1, NULL);
pthread_join( thread2, NULL);
exit(0);
}
void *functionC()
{
pthread_mutex_lock( &mutex1 );
counter++;
printf("Counter value: %d\n",counter);
pthread_mutex_unlock( &mutex1 );
}