Monday, September 5, 2011

How to Read/Write in Kernel Module

  模块中对文件的读写操作 (2009-05-19 11:21)
轉:http://blog.csdn.net/billowszpt/article/details/6661333

 2.6.20以後,,,要使用filp_open()的方式~而之前版本的話,則使用sys_open()
最近在忙实验室项目,有阵子没写blog了。这期间遇到个问题,就是需要在内核模块中对文件进行读写操作。由于设备在linux中也是以文件表示的,所以 操作应该都一样。平时网络部分的东西碰的多些,这块一开始还真不知道怎么写,因为肯定和在用户空间下是不同的。google过后,得到以下答案。一般可以 用两种方法:第一种是用系统调用。第二种方法是filp->open()等函数。下面分别来说下这两种方法。

1,利用系统调用:
sys_open,sys_write,sys_read等。
其实分析过sys_open可以知道,最后调用的也是filp->open。
sys_open ==> do_sys_open ==> filp->open
在linuxsir上的一个帖子,上面一个版主说:sys_open和进程紧密相关,往往不在内核中使用。
而其实sys_open最后也是调用了filp->open。所以就后者进行详细的介绍。

2,filp->open等函数。
在模块中,用户空间的open,read,write,llseek等函数都是不可以使用的。应该使用其在内核中对应的函数。可以使用filp->open配合struct file里的read/write来进行对文件的读写操作。
自己写了一个程序:
#include<linux/module.h>
#include<linux/kernel.h>
#include<linux/init.h>

#include<linux/types.h>

#include<linux/fs.h>
#include<linux/string.h>
#include<asm-x86/uaccess.h> /* get_fs(),set_fs(),get_ds() */

#define FILE_DIR "/home/hmily/workstation/program/test.txt"

MODULE_LICENSE("GPL");
MODULE_AUTHOR("hmily8023");

char *buff = "gaozhenbo";
char tmp[100];

static struct file *filp = NULL;

static int __init wr_test_init(void)
{
    mm_segment_t old_fs;
    
    filp = filp_open(FILE_DIR, O_RDWR | O_CREAT, 0644);
    
    //    if(!filp)

    if(IS_ERR(filp))
        printk("open error...\n");
    
    old_fs = get_fs();
    set_fs(get_ds());
    
    filp->f_op->write(filp, buff, strlen(buff), &filp->f_pos);

    ssize_t ret;
    
    filp->f_op->llseek(filp,0,0);
    ret = filp->f_op->read(filp, tmp, strlen(buff), &filp->f_pos);
    
    set_fs(old_fs);
    
    if(ret > 0)
        printk("%s\n",tmp);
    else if(ret == 0)
        printk("read nothing.............\n");
    else 
        {
            printk("read error\n");
            return -1;
        }

    return 0;
}

static void __exit wr_test_exit(void)
{
    if(filp)
        filp_close(filp,NULL);
}

module_init(wr_test_init);
module_exit(wr_test_exit);

1 comment: