我正在计算内核中的时间戳,后来我想将tmestamp从内核转移到用户空间。所以我使用procfs进行内核和用户之间的通信。我正在使用procfile_read函数从内核发送数据,如下所示。
我修改并计算了内核代码的时间戳,如下所示。
//此代码处于网络设备驱动程序级别。
int netif_rx(struct sk_buff *skb)
{
__net_timestamp(skb);//I modify the code in kernel to get the timestamp and store in buffer
// or I can use : skb->tstamp = ktime_get_real(); //to get the timestamp
}
/ ** * procfs2.c - 在/ proc中创建一个“文件” * * /
#include <linux/module.h> /* Specifically, a module */
#include <linux/kernel.h> /* We're doing kernel work */
#include <linux/proc_fs.h> /* Necessary because we use the proc fs */
#include <asm/uaccess.h> /* for copy_from_user */
#define PROCFS_MAX_SIZE 1024
#define PROCFS_NAME "buffer1k"
/**
* This structure hold information about the /proc file
*
*/
static struct proc_dir_entry *Our_Proc_File;
/**
* The buffer used to store character for this module
*
*/
static char procfs_buffer[PROCFS_MAX_SIZE];
/**
* The size of the buffer
*
*/
static unsigned long procfs_buffer_size = 0;
/**
* This function is called then the /proc file is read
*
*/
int
procfile_read(char *buffer,
char **buffer_location,
off_t offset, int buffer_length, int *eof, void *data)
{
int ret;
printk(KERN_INFO "procfile_read (/proc/%s) called\n", PROCFS_NAME);
if (offset > 0) {
/* we have finished to read, return 0 */
ret = 0;
} else {
/* fill the buffer, return the buffer size */
memcpy(buffer, procfs_buffer, procfs_buffer_size);
ret = procfs_buffer_size;
}
return ret;
}
/**
*This function is called when the module is loaded
*
*/
int init_module()
{
/* create the /proc file */
Our_Proc_File = create_proc_entry(PROCFS_NAME, 0644, NULL);
if (Our_Proc_File == NULL) {
remove_proc_entry(PROCFS_NAME, &proc_root);
printk(KERN_ALERT "Error: Could not initialize /proc/%s\n",
PROCFS_NAME);
return -ENOMEM;
}
Our_Proc_File->read_proc = procfile_read;
Our_Proc_File->owner = THIS_MODULE;
Our_Proc_File->mode = S_IFREG | S_IRUGO;
Our_Proc_File->uid = 0;
Our_Proc_File->gid = 0;
Our_Proc_File->size = 37;
printk(KERN_INFO "/proc/%s created\n", PROCFS_NAME);
return 0; /* everything is ok */
}
/**
*This function is called when the module is unloaded
*
*/
void cleanup_module()
{
remove_proc_entry(PROCFS_NAME, &proc_root);
printk(KERN_INFO "/proc/%s removed\n", PROCFS_NAME);
}
模块初始化使用create_proc_entry()建立procfs条目。函数procfile_write和procfile_read被初始化以处理对该条目的写入和读取。模块的cleanup_module()函数在卸载模块时调用,通过调用cleanup_module()来删除procfs条目。
我的问题是如何将计算出的时间戳添加到procfile_read函数并将其发送到用户空间?
答案 0 :(得分:0)
原始和简单:使用时间戳在模块中设置一个全局变量,并使用snprintf将其复制到profs_buffer中。实际上,您可能会将snprintf直接放入提供的缓冲区并将procfs_buffer放在一起。
这种方法存在多个问题(对于一种方法而言,它不是原子问题),但如果您只是想要原始的调试或日志记录界面,那么它就可以工作。