所以我试图在PM服务器上创建一个新的系统调用。我的问题是,我该如何发送某种消息以发挥作用。
在IPC服务器中,我要做的就是将系统调用添加到列表中,因为那里的所有功能都定义为(* func)(message *)
(...)/servers/ipc/main.c
static struct {
int type;
int (*func)(message *);
int reply; /* whether the reply action is passed through */
} ipc_calls[] = {
(...)
{ IPC_MYNEWSIGNAL, do_something, 1 },
};
但在table.c中的PM中,函数定义为
(...)/servers/pm/table.c
int (* const call_vec[NR_PM_CALLS])(void) = {
(...)
CALL(PM_GETSYSINFO) = do_getsysinfo
}
如果我尝试通过签名传递功能
int do_something(message *m)
我会收到错误消息:
Incompatible pointer types: initializing int (*const)(void) with int (message *)
如果我需要接收某种信息,在PM服务器上创建信号的正确方法是什么?
答案 0 :(得分:1)
据我对问题的了解,您想在syscall处理程序中接收参数。让我们以libc中的库函数clock_settime
为例。
int clock_settime(clockid_t clock_id, const struct timespec *ts)
{
message m;
memset(&m, 0, sizeof(m));
m.m_lc_pm_time.clk_id = clock_id;
m.m_lc_pm_time.now = 1; /* set time immediately. don't use adjtime() method. */
m.m_lc_pm_time.sec = ts->tv_sec;
m.m_lc_pm_time.nsec = ts->tv_nsec;
if (_syscall(PM_PROC_NR, PM_CLOCK_SETTIME, &m) < 0)
return -1;
return 0;
}
如您所见,它在消息struct中写入了args并传递给_syscall。好的,现在来看一下PM_CLOCK_SETTIME
中安装的table.c
的系统调用处理程序。
int do_gettime()
{
clock_t ticks, realtime, clock;
time_t boottime;
int s;
if ( (s=getuptime(&ticks, &realtime, &boottime)) != OK)
panic("do_time couldn't get uptime: %d", s);
switch (m_in.m_lc_pm_time.clk_id) {
case CLOCK_REALTIME:
clock = realtime;
break;
case CLOCK_MONOTONIC:
clock = ticks;
break;
default:
return EINVAL; /* invalid/unsupported clock_id */
}
mp->mp_reply.m_pm_lc_time.sec = boottime + (clock / system_hz);
mp->mp_reply.m_pm_lc_time.nsec =
(uint32_t) ((clock % system_hz) * 1000000000ULL / system_hz);
return(OK);
}
很明显,该参数是一个名为m_in
的全局变量。更多搜索显示它来自glo.h
/* The parameters of the call are kept here. */
EXTERN message m_in; /* the incoming message itself is kept here. */
我想MINIX将处理设置和访问全局变量,因此您无需显式写入它。