我是linux內核模塊開發的新手,我正在尋找從內核模塊到用戶空間進程的共享內存段以避免複製數據的延遲。從內核模塊到用戶空間進程的sys v共享內存
我正在使用sys v共享內存api,當我在兩個進程之間共享內存時它工作正常,但我無法在進程和內核模塊之間共享內存。
波紋管是我的內核模塊和用戶空間應用
服務器端的代碼:模塊
#include <linux/module.h> // init_module, cleanup_module //
#include <linux/kernel.h> // KERN_INFO //
#include <linux/types.h> // uint64_t //
#include <linux/kthread.h> // kthread_run, kthread_stop //
#include <linux/delay.h> // msleep_interruptible //
#include <linux/syscalls.h> // sys_shmget //
#define BUFSIZE 100
#define SHMSZ BUFSIZE*sizeof(char)
key_t KEY = 5678;
static struct task_struct *shm_task = NULL;
static char *shm = NULL;
static int shmid;
static int run_thread(void *data)
{
char strAux[BUFSIZE];
shmid = sys_shmget(KEY, SHMSZ, IPC_CREAT | 0666);
if(shmid < 0)
{
printk(KERN_INFO "SERVER : Unable to obtain shmid\n");
return -1;
}
shm = sys_shmat(shmid, NULL, 0);
if(!shm)
{
printk(KERN_INFO "SERVER : Unable to attach to memory\n");
return -1;
}
strncpy(strAux, "hello world from kernel module", BUFSIZE);
memcpy(shm, strAux, BUFSIZE);
return 0;
}
int init_module()
{
printk(KERN_INFO "SERVER : Initializing shm_server\n");
shm_task = kthread_run(run_thread, NULL, "shm_server");
return 0;
}
void cleanup_module()
{
int result;
printk(KERN_INFO "SERVER : Cleaning up shm_server\n");
result = kthread_stop(shm_task);
if(result < 0)
{
printk(KERN_INFO "SERVER : Unable to stop shm_task\n");
}
result = sys_shmctl(shmid, IPC_RMID, NULL);
if(result < 0)
{
printk(KERN_INFO
"SERVER : Unable to remove shared memory from system\n");
}
}
MODULE_LICENSE("GPL");
MODULE_AUTHOR(" MBA");
MODULE_DESCRIPTION("Shared memory server");
客戶端:過程
#include <sys/ipc.h> // IPC_CREAT, ftok //
#include <sys/shm.h> // shmget, ... //
#include <sys/sem.h> // semget, semop //
#include <stdio.h> // printf //
#include <string.h> // strcpy //
#include <stdint.h> // uint64_t //
#define BUFSIZE 4096
key_t KEY = 5678;
int main(int argc, char *argv[]) {
int shmid, result;
char *shm = NULL;
shmid = shmget(KEY, BUFSIZE, 0666);
if (shmid == -1) {
perror("shmget");
exit(-1);
}
shm = shmat(shmid, NULL, 0);
if (!shm) {
perror("shmat");
exit(-1);
}
printf("%s\n", shm);
result = shmdt(shm);
if (result < 0) {
perror("shmdt");
exit(-1);
}
}
任何建議或文檔可以提供幫助。
內核模塊和用戶空間應用程序打印了什麼內容? – Tsyvarev
當我試圖插入模塊.ko我得到錯誤:(-1)未知的符號引用sys_shmhet,sys_shmat ..,但編譯完成。 – Mondher123