伟明部落格

从内核调用用户空间应用程序以及shell脚本

--发布于 2023-08-04 20:22:16

一、从内核调用用户空间应用程序

用户空间应用程序大多数时候是由其他应用程序从用户空间中调用的,不深入细节,让我们看一个例子:

#include <linux/init.h>
#include <linux/module.h>
#include <linux/workqueue.h> /* for work queue */
#include <linux/kmod.h>

static struct delayed_work initiate_shutdown_work;

static void delayed_shutdown(struct work_struct *work)
{
    char *cmd = "/sbin/shutdown";  // 要执行的命令
    char *argv[] = {
        cmd,      //argv[0],代表/sbin/shutdown命令本身
        "-h",     // argv[1],命令行参数1
        "now",    // argv[2],命令行参数2
        NULL,
    };
    char *envp[] = {     //环境变量
        "HOME=/",
        "PATH=/sbin:/bin:/usr/sbin:/usr/bin",
        NULL,
    };

    call_usermodehelper(cmd, argv, envp, 0);   //设置环境变量envp,执行命令cmd,并传入参数argv[]
}

static int __init my_shutdown_init( void )
{
    INIT_DELAYED_WORK(&initiate_shutdown_work, delayed_shutdown);
    schedule_delayed_work(&initiate_shutdown_work, msecs_to_jiffies(200));
    return 0;
}

static void __exit my_shutdown_exit( void )
{
    return;
}

module_init( my_shutdown_init );
module_exit( my_shutdown_exit );
MODULE_LICENSE("GPL");
MODULE_AUTHOR("Allen Wang <1723762735@qq.com>");
MODULE_DESCRIPTION("Simple module that trigger a delayed shut down");

在前面的例子中,使用的 API ( call_usermodehelper )是 Usermode-helper API 的一部分,所有函数都在 kernel/kmod.c 中定义。它的用途很简单,在 kmod.c 里面查一下就知道了。您可能想知道这个API定义的目的是什么。例如,它被内核用于模块 (un)loadingcgroups 管理。

二、从内核调用 shell 脚本

static int call_shell_script(void)
{
  int result = 0;
  char cmdPath[] = "/bin/bash";

  char *cmdArgv[] = {
    cmdPath,
    "-c",
    "/bin/ls >> /tmp/list", //可以是 ./xxx.sh 或者 bash xxx.sh
    NULL,
  };

  char *cmdEnvp[] = {
    "HOME=/",
    "PATH=/sbin:/bin:/usr/sbin:/usr/bin",
    NULL,
  }
  result = call_usermodehelper(cmdPath, cmdArgv, cmdEnvp, UMH_WAIT_PROC);

  printk(KERN_DEBUG "testDriver1 _init exec! The result of call_usermodehelper is %d\n", result);
  printk(KERN_DEBUG "testDriver1 _init exec! The process is \"%s\",pid is %d\n", current->comm, current->pid);
}

将上述函数 call_shell_script 添加进内核即可。

转载自

从内核调用用户空间应用程序以及shell脚本

--更新于 2023-08-04 20:25:12