DEVICE_ATTR_RW和DEVICE_ATTR区别
时间: 2024-12-30 07:30:33 浏览: 9
### DEVICE_ATTR_RW 和 DEVICE_ATTR 的区别
Linux内核提供了多种宏来简化设备属性的创建过程。`DEVICE_ATTR` 是用于定义只读或可写属性的基础宏[^2]。
对于 `DEVICE_ATTR` 宏而言,其语法结构如下:
```c
#define DEVICE_ATTR(_name, _mode, _show, _store)
```
此宏接受四个参数:属性名称 `_name`、权限模式 `_mode` 以及两个函数指针 `_show` 和 `_store` 分别对应于读取操作和写入操作。当只需要实现单向的数据访问(即要么能读不能写,要么能写不能读),可以仅提供相应的回调函数;如果不需要某个方向的操作,则可以把该位置设为空(NULL)。
而 `DEVICE_ATTR_RW` 则是一个更高层次封装版本,在功能上更加具体化。它专门用来声明既支持读又支持写的双向属性,并自动为用户提供默认的读写接口模板。因此,使用起来更为简便快捷。其实现方式本质上还是依赖于基础版的 `DEVICE_ATTR` 来完成实际工作[^1]。
通过比较可以看出,虽然两者都基于相同的底层机制构建而成,但是面向的应用场景有所不同——前者给予开发者更大的灵活性去定制特定行为,后者则更侧重于快速搭建常规性的读写特性。
#### 示例代码展示
以下是利用上述两种不同类型的宏实例化的简单示例:
```c
// 使用 DEVICE_ATTR 创建一个名为 "example_attr" 的属性,
// 支持读 (read_example_show),也支持写 (write_example_store).
static ssize_t read_example_show(struct device *dev,
struct device_attribute *attr,
char *buf);
static ssize_t write_example_store(struct device *dev,
struct device_attribute *attr,
const char *buf, size_t count);
static DEVICE_ATTR(example_attr, 0644, read_example_show, write_example_store);
// 使用 DEVICE_ATTR_RW 可以达到相同的效果,但编码量减少。
static ssize_t example_rw_show(struct device *dev,
struct device_attribute *attr,
char *buf);
static ssize_t example_rw_store(struct device *dev,
struct device_attribute *attr,
const char *buf, size_t count);
static DEVICE_ATTR_RW(wakealarm); // 实际应用中的例子来自 rtc-sysfs.c 文件
```
阅读全文