我是一个新手,正在学习如何为USB设备编写Linux设备驱动程序。编译代码时出现错误。注释行中存在问题。我正在为USB驱动器制作模块,如下所示:

#include <linux/module.h>
#include <linux/kernel.h>
#include <linux/usb.h>

static int pen_probe(struct usb_interface *intf,const struct usb_device_id *id)
{
    printk(KERN_ALERT"\nthe probe is successful");
    return 0;
}

static void pen_disconnect(struct usb_interface *intf)
{
    printk(KERN_ALERT"pen drive removed");
}

const struct usb_device_id pen_table = {
    USB_DEVICE(0x058f,0x6387),
};

MODULE_DEVICE_TABLE(usb,pen_table);

static struct usb_driver pen_driver = {
    .name = "pen_driver",
    .id_table = pen_table,   // error coming at this line
    .probe = pen_probe,
    .disconnect = pen_disconnect,
};

static int __init pen_init(void)
{
    int ret;
    ret = usb_register(&pen_driver);
    printk(KERN_ALERT"THE RET::%d\n",ret);
    return 0;
}

static void __exit pen_exit(void)
{
    usb_deregister(&pen_driver);
}

module_init(pen_init);
module_exit(pen_exit);

MODULE_LICENSE("GPL");

它给我一个错误,如下所示:
  :26:5: error: initializer element is not constant

  /home/karan/practice/usb/usb1.c:26:5: error: (near initialization for ‘pen_driver.id_table’)

最佳答案

结构的id_table成员的类型为const struct usb_device_id *,但是您正在分配const struct usb_device_id。尝试在结构初始化中将pen_table更改为&pen_table
希望这可以帮助!
编辑:实际上看起来您对pen_table的声明不正确。它可能应该是:

const struct usb_device_id pen_table[] = {
   {USB_DEVICE(0x058f,0x6387)},
   {}
};

初始化应该是pen_table(而不是前面建议的&pen_table),就像在代码中所做的那样。

关于c - 简单的USB驱动程序,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/10252066/

10-15 00:26