如何在Linux 驱动程序中获取文件的次要编号?

How to get the minor number of a file in a Linux driver?

有没有更好的获取次要号码的方案?

我可以不检查内核版本吗?

static long unlocked_ioctl(struct file *f, unsigned int o, unsigned long d)
{
#if KERNEL_VERSION(3, 18, 0) > LINUX_VERSION_CODE
    struct inode* inode = f->f_dentry->d_inode;
#else
    struct inode* inode = f->f_path.dentry->d_inode;
#endif

    int minor = iminor(inode);
}

是的,有一个更好的方法:当您想要的内容就在 struct file.

字段时,不要费心去查看 dentry
struct file {
    union {
        struct llist_node   fu_llist;
        struct rcu_head     fu_rcuhead;
    } f_u;
    struct path     f_path;
    struct inode    *f_inode; // <-- here's your inode
    // ...
}

您可以直接访问f->f_inode或使用file_inode()函数,这样您也可以避免内核版本检查。

static long unlocked_ioctl(struct file *f, unsigned int o, unsigned long d)
{
    int minor = iminor(file_inode(f));
    // ...
}

作为Marco Bonelli 回答的补充,file_inode() 是在3.9 内核中添加的,所以如果需要支持更早的内核版本,需要添加一些内核兼容代码。我使用如下内容:

/*
 * The file_dentry() inline function was added in kernel version 4.6.0.
 * Emulate it for earlier kernels.
 */
#if LINUX_VERSION_CODE < KERNEL_VERSION(4,6,0)
static inline struct dentry *kcompat_file_dentry(const struct file *f)
{
#if LINUX_VERSION_CODE < KERNEL_VERSION(2,6,20)
    return f->f_dentry;
#else
    return f->f_path.dentry;
#endif
}
#undef file_dentry
#define file_dentry(f) kcompat_file_dentry(f)
#endif

/*
 * The file_inode() inline function was added in kernel 3.9.0.
 * Emulate it for earlier kernels.
 */
#if LINUX_VERSION_CODE < KERNEL_VERSION(3,9,0)
static inline struct inode *kcompat_file_inode(struct file *f)
{
    return file_dentry(f)->d_inode;
}
#undef file_inode
#define file_inode(f)   kcompat_file_inode(f)
#endif