number headings : auto, first- level 2, max 6, 1.1
3 引用计数器 3.1 设计目的
用户态进程在尝试打开该文件后会得到一个文件描述符 fd
。
用户可以通过该 fd
执行对设备读写和关闭操作。
通常来说内核中的驱动需要维护一个结构体 (设为 struct mdev_info
)去存储与该 fd
相关的数据结构 ,用于完成后续的 read
、 write
等操作。
用户调用 close
关闭设备之前,允许用户调用 read
、 write
等操作。
用户在调用 close
完全关闭所有对该设备的打开后, f_op->release
会被执行。
当用户调用 close
关闭设备时,后续的 read
、 write
等均会被拒绝,但是在调用 close
前的所有未完成的操作仍需要正常执行 。
8.9.4.1.1 场景一:正在处理read的过程中,close被调用并执行完毕在内核中的驱动正在响应用户的操作请求的 过程中 , f_op->release
被调用,那么仍在处理的操作请求如何完成?
明显地,直接在 f_op->release
中释放 struct mdev_info
将无法保证正在执行的操作会被顺利完成,例如下方代码中,在完成 mdev_read
中的 do_operation1
后被下处理器,并完成 mdev_release
函数,随后 do_operation2
就会触发错误:
1
static ssize_t mdev_read ( struct file * filep, char __user * buf, size_t count, loff_t * ppos)
4
struct mdev_info * mdev_info_p = filep-> private_data;
7
do_operation1 ( mdev_info_p) ;
10
do_operation2 ( mdev_info_p) ;
15
static int mdev_release ( struct inode * node, struct file * filep)
19
struct mdev_info * mdev_info_p = filep-> private_data;
则此时可以考虑使用计数器的方式代替直接的 free
操作:
11
static void mdev_info_get ( struct mdev_info * info)
13
atomic_inc ( & info-> ref_counts) ;
20
static void mdev_info_put ( struct mdev_info * info)
22
if ( atomic_dec_and_test ( & info-> ref_counts) )
28
static int mdev_open ( struct inode * node, struct file * filep)
34
mdev_info_get ( mdev_info) ;
39
static ssize_t mdev_read ( struct file * filep, char __user * buf, size_t count, loff_t * ppos)
42
struct mdev_info * mdev_info_p = filep-> private_data;
45
mdev_info_get ( mdev_info) ;
48
do_operation1 ( mdev_info_p) ;
51
do_operation2 ( mdev_info_p) ;
54
mdev_info_put ( mdev_info) ;
59
static int mdev_release ( struct inode * node, struct file * filep)
63
struct mdev_info * mdev_info_p = filep-> private_data;
66
mdev_info_put ( mdev_info_p) ;
但是依旧有问题,例如:
用户发起read请求,并执行到 mdev_read
的 struct mdev_info *mdev_info_p = filep->private_data;
处被下处理器,此时引用计数器并未增加 。
随后内核处理用户的文件关闭请求,并完成 mdev_release
的执行。此时引用计数器被成功归0 , struct mdev_info
被成功释放 。
mdev_read
继续执行 ,此时计数器为-1 ,且需要访问的 struct mdev_info
已被清空 。错误发生。
针对这个问题,则可以考虑使用引用计数器 管理 mdev_info
解决,详见相关API。
那么明显地,现在内核需要一个更靠谱的引用计数方式。而在事实上, refcount_t
本质也只是使用了一个原子变量,其定义如下:
typedef struct refcount_struct {
atomic_t refs;
} refcount_t ;
3.2 操作流程及相关API 由于 refcount_t
只使用了一个原子变量,因此其操作的大致流程与原子变量几乎一致:
声明 refcount_t
,略。
定义 refcount_t
,使用 refcount_set
即可。
在非零时增加 refcount_t
,使用 refcount_inc_not_zero
。
3.2.1 设置引用次数refcount_set(refcount_t *r, int n)