访问嵌套结构时出现段错误

时间:2018-02-23 21:11:52

标签: c struct segmentation-fault freebsd

我在下面使用kinfo_getproc

int main() {

    struct kinfo_proc *kp;

    kp = kinfo_getproc(getpid());


    printf("kp: %p\n", kp);
    // kp:  0x801216000

    printf("&kp: %p\n", &kp);
    // &kp: 0x7fffffffeac0

    printf("&thread: %p\n", &kp->ki_tdaddr);
    // &thread: 0x801216398


    printf("&thread->td_dupfd: %p\n", &kp->ki_tdaddr->td_dupfd);
    // &thread->td_dupfd: 0xfffff801564d3650

    // segfault accessing contents of td_dupfd
    //printf("thread->td_dupfd: %d\n", kp->ki_tdaddr->td_dupfd);

    return 1;
}

当我尝试访问kp结构中的结构时,程序会出现段错误。

我从其他帖子中读到,问题可能是结构没有正确分配? 以下内容来自kinfo_getproc

的手册页
RETURN VALUES
   On success the kinfo_getproc() function returns a pointer to a struct
   kinfo_proc structure as defined by <sys/user.h>.  The pointer was
   obtained by an internal call to malloc(3) and must be freed by the caller
   with a call to free(3).  On failure the kinfo_getproc() function returns
   NULL.

如果返回值是指向已kinfo_struct的{​​{1}}的指针,则不应该 访问嵌套结构只是工作?我应该如何正确访问malloc中的嵌套结构?

1 个答案:

答案 0 :(得分:1)

我弄清楚我的问题是什么。

kp->ki_tdaddr的值是驻留在内核空间中的地址。换句话说,kp->ki_tdaddr是指向存在于内核内存中的结构的指针 - 不能直接从用户空间访问,因此是段错误。

要做的是使用kp->ki_tdaddr(内核空间地址)中的值kvm_read()将内核空间中的位传输到用户空间。

代码:

int main() {

    struct thread thread;

    /* a structure with process related info */
    struct kinfo_proc *kp = kinfo_getproc(getpid());

    /* a descriptor to access kernel virtual memory */
    kvm_t *kd = kvm_open(NULL, NULL, NULL, O_RDONLY, NULL);

    /* transfer bytes from ki_tdaddr to thread */
    kvm_read(kd, (unsigned long) kp->ki_tdaddr, &thread, sizeof(thread));

    /* can now access thread information */
    printf("thread id: %jd\n", (intmax_t) thread.td_tid);

    return 1;
}