mtx_timed枚举常量
概要:
enum {
mtx_plain = value, //value值由实现定义。
mtx_recursive = value, //value值由实现定义。
mtx_timed = value //value值由实现定义。
};
描述:
该枚举常量用作mtx_init函数的参数,创建一个支持超时的互斥对象。
在Pelles C编译器<threads.h>头文件中,互斥类型定义如下:
enum {
mtx_plain = 0x01,
mtx_timed = 0x02,
mtx_recursive = 0x10
};
范例:
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
|
/*枚举常量mtx_timed范例*/
#ifdef __STDC_NO_THREADS__
#error "Implementation does not support multi-threads."
#endif
#include <stdio.h>
#include <stdlib.h>
#include <threads.h>
#define TIME 5 //线程阻塞时间,单位:秒。
mtx_t mutex;
/*在新线程中执行的函数。*/
int func(void *arg)
{
switch(mtx_timedlock(&mutex, (struct timespec *)arg))
{
case thrd_timedout:
puts("The specified waiting time has elapsed.");
thrd_exit(thrd_timedout);
case thrd_error:
perror("thrd_error");
thrd_exit(thrd_error);
default:
puts("The function has successfully locked the mutex.");
break;
}
/*其它代码。*/
mtx_unlock(&mutex);
thrd_exit(0);
}
int main(void)
{
thrd_t threadId;
/*初始化互斥。*/
if(mtx_init(&mutex, mtx_timed) != thrd_success)
{
perror("mtx_init error");
exit(EXIT_FAILURE);
}
/*创建线程。*/
if(thrd_create(&threadId, func, &(struct timespec){TIME, 0}) != thrd_success)
{
perror("thrd_create error");
exit(EXIT_FAILURE);
}
/*连接线程。*/
thrd_join(threadId, NULL);
/*销毁互斥。*/
mtx_destroy(&mutex);
return 0;
}
|
输出:
The function has successfully locked the mutex.
注:使用Pelles C编译。
这里(struct timespec){TIME, 0}是个复合字面量(compound literal)。
相关内容: