当前位置: C语言 -- 标准库 -- <threads.h> -- mtx_t

mtx_t类型


描述:

该类型是保存互斥标识符的完整对象类型。


范例:
1 
2 
3 
4 
5 
6 
7 
8 
9 
10 
11 
12 
13 
14 
15 
16 
17 
18 
19 
20 
21 
22 
23 
24 
25 
26 
27 
28 
29 
30 
31 
32 
33 
34 
35 
36 
37 
38 
39 
40 
41 
42 
43 
44 
45 
46 
47 
48 
49 
50 
51 
52 
53 
54 
55 
56 
57 
58 
59 
60 
61 
62 
63 
64 
65 
66 
67 
68 
69 
70 
71 
72 
73 
74 
75 
76 
77 
/*类型mtx_t范例*/

#ifdef __STDC_NO_THREADS__
#error "Implementation does not support multi-threads."
#endif

#include <stdio.h>
#include <stdlib.h>
#include <threads.h>

mtx_t mutex;
int counter = 0;

/*在新线程中执行的加法函数。*/
int funcAdd(void *arg)
{
    for(int i=0; i<10000; ++i)
    {
        mtx_lock(&mutex);
        ++counter;
        mtx_unlock(&mutex);
        thrd_sleep(&(struct timespec){0, 10}, NULL);
    }
    
    return 0;
}

/*在新线程中执行的减法函数。*/
int funcSubtract(void *arg)
{
    for(int i=0; i<10000; ++i)
    {
        mtx_lock(&mutex);
        --counter;
        mtx_unlock(&mutex);
        thrd_sleep(&(struct timespec){0, 10}, NULL);
    }
    
    return 0;
}

int main(void)
{
    thrd_t threadOne, threadTwo;

    /*初始化互斥。*/
    if(mtx_init(&mutex, mtx_plain) != thrd_success)
    {
        perror("mtx_init error");
        exit(EXIT_FAILURE);
    }

    /*创建线程。*/
    if(thrd_create(&threadOne, funcAdd, NULL) != thrd_success)
    {
        perror("thrd_create error");
        exit(EXIT_FAILURE);
    }
    
    if(thrd_create(&threadTwo, funcSubtract, NULL) != thrd_success)
    {
        perror("thrd_create error");
        exit(EXIT_FAILURE);
    }

    /*连接线程。*/
    thrd_join(threadOne, NULL);
    thrd_join(threadTwo, NULL);
    
    printf("counter: %d\n", counter);

    /*销毁互斥。*/
    mtx_destroy(&mutex);

    return 0;
}


输出:

counter: 0

注:使用Pelles C编译。

如果不使用互斥,变量counter最终值可能是0,也可能不是0


相关内容:
thrd_t 保存线程标识符的完整对象类型。
cnd_t 保存条件变量标识符的完整对象类型。
tss_t 保存线程专属存储指针标识符的完整对象类型。