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
|
/*
* mq_open.c - open a message queue.
*/
#include <errno.h>
#include <stdarg.h>
#include <stddef.h>
#include <sys/syscall.h>
#include <mqueue.h>
#ifdef __NR_mq_open
#define __NR___syscall_mq_open __NR_mq_open
static __inline__ _syscall4(int, __syscall_mq_open, const char *, name,
int, oflag, __kernel_mode_t, mode, void *, attr);
/*
* Establish connection between a process and a message queue and
* return message queue descriptor or (mqd_t) -1 on error.
* oflag determines the type of access used. If O_CREAT is on oflag, the
* third argument is taken as a `mode_t', the mode of the created
* message queue, and the fourth argument is taken as `struct mq_attr *',
* pointer to message queue attributes.
* If the fourth argument is NULL, default attributes are used.
*/
mqd_t mq_open(const char *name, int oflag, ...)
{
mode_t mode;
struct mq_attr *attr;
if (name[0] != '/') {
__set_errno(EINVAL);
return -1;
}
mode = 0;
attr = NULL;
if (oflag & O_CREAT) {
va_list ap;
va_start(ap, oflag);
mode = va_arg(ap, mode_t);
attr = va_arg(ap, struct mq_attr *);
va_end(ap);
}
return __syscall_mq_open(name + 1, oflag, mode, attr);
}
#endif
|