linux中断编程之中断分层

作者: 爪爪熊 | 来源:发表于2017-07-11 19:23 被阅读17次

    中断分层技术

    中断中分为两层完成任务,一层是处理与硬件相关的读取工作(不怎么耗时),另一层是处理与硬件无关的数据处理类工作。这里分层主要是使用了工作队列。

    工作队列:工作队列是一种将任务推后执行的形式,他把推后的任务交由一个内核线程去执行。这样下半部会在进程上下文执行,它允许重新调度甚至睡眠。每个被推后的任务叫做“工作”,由这些工作组成的队列称为工作队列。[图片上传中。。。(1)]

    Linux 内核使用struct work_struct 来描述一个工作队列:

    struct workqueue_struct{
        struct cpu_workqueue_struct *cpu_wq;
        struct list_head list;
        const char * name ; /* workqueue name */
        int singlethread;
        int freezeable; /* Freeze threads during suspend */
        int rt;
    }
    

    Linux 内核使用 struct work_struct 来描述一个工作项:

    struct work_struct{
        atomic_long_t data;
        struct list_head entry;
        work_func_t func;
    };
    
    typedef void (*work_func_t)(struct work_struct *work);
    

    1. 创建工作队列(create_workqueue)
    2. 创建工作(INIT_WORK)
    3. 提交工作(queue_work)

    手把手编程:

    #include <linux/init.h>
    #include <linux/module.h>
    
    struct workqueue_struct *my_wq;
    struct work_struct *work1;
    struct work_struct *work2;
    
    MODULE_LICENSE("GPL");  //不能少
    
    void work1_func(struct work_struct *work)
    {
            printk("this is work one \n");
    }    
    
    void work2_func(struct work_struct *work)
    {
            printk("this is work two\n");
    }    
    
    int init_que(void)
    {
        //1. 创建工作队列
        my_wq = create_workqueue("my_wq");
    
        //2. 创建工作
        work1 = kmalloc(sizeof(struct work_struct),GFP_KERNEL); //
        INIT_WORK(work1, work1_func);
        //3. 挂载(提交工作)
        queue_work( my_wq , work1 );
    
        //2. 创建工作
        work2= kmalloc(sizeof(struct work_struct),GFP_KERNEL); //
        INIT_WORK(work2 work2_func);
        //3. 挂载(提交工作)
        queue_work( my_wq , work2);
    
        return 0 ;
    }
    
    void clean_que
    {
        ;
    }
    
    module_init(init_que);
    module_exit(clean_que);
    

    在大多数情况下,驱动并不需要自己建立工作队列,只需定义工作,然后将工作提交到内核已经定义好的工作队列 keventd_wq 中.

    1. 提交工作到默认队列

      schedule_work

    相关文章

      网友评论

        本文标题:linux中断编程之中断分层

        本文链接:https://www.haomeiwen.com/subject/lsgmhxtx.html