inotify是linux上提供的文件系统监视机制, 前身是dnotify. 可以用来监视文件/目录. 如文件/目录的修改, 删除等. 前身是dnotify
为什么inotify取代了dnotify?
创建实例, 返回值为创建的文件描述符.
#include
int inotify_init(void);
int inotify_init1(int flags);
上面实例创建的文件描述符关联一个独立的队列, 文件系统的变化被叫做"watch"的来管理, 每一个watch包含目标, 和事件掩码, 目标可以是文件/目录. 掩码代表希望关注的事件,
#include
int inotify_add_watch(int fd, const char *pathname, uint32_t mask);
fd为创建的inotify文件描述符, 即inotify_init的返回值, pathname为你想关联的目录/文件, mask是事件掩码, 范围值是被称为"wd"的watch描述符, 他关联着对应的文件/目录
下面的函数用于删除一个watch
#include
int inotify_rm_watch(int fd, int wd);
fd为文件描述符, wd为watch描述符, 成功返回0 , 失败返回-1, 并且设置errno.
可以通过read()系统调用 来获取从inotify中发生了哪些事情, 如果read时还没有发生任何事件, 则read阻塞, 直至有事件发生. read返回的buf里面包含一个或多个以下的结构体
struct inotify_event {
int wd; /* Watch descriptor */
uint32_t mask; /* Mask describing event */
uint32_t cookie; /* Unique cookie associating related
events (for rename(2)) */
uint32_t len; /* Size of name field */
char name[]; /* Optional null-terminated name */
};
max_queued_events: 队列中最大的event数量, 超过这个值的事件会被丢弃, 但是会触发IN_Q_OVERFLOW
/proc/sys/fs/inotify/max_user_instances:指定了每一个real user(用户)ID可以创建的instances数量
/proc/sys/fs/inotify/max_user_watches: 每个inotify_instace相关联的最大watch数量, 也就是最多可以监控多少目录/文件
#include
#include
#include
#include
#include
void init(char **argv) {
int fd = inotify_init();
int wd = inotify_add_watch(fd, argv[1], IN_ALL_EVENTS);
const struct inotify_event *e;
char buf[4096];
ssize_t len;
while(1) {
len = read(fd, buf, sizeof buf);
if(len == -1 && errno != EAGAIN) {
perror("read");
exit(EXIT_FAILURE);
}
if(len <= 0) break;
char *ptr;
for(ptr = buf; ptr < buf+len; ptr += sizeof(struct inotify_event) + e->len) {
e = (const struct inotify_event*)ptr;
if(e->mask & IN_OPEN) printf("IN_OPEN\n");
if(e->mask & IN_CLOSE_NOWRITE) printf("IN_CLOSE_NOWRITE\n");
if(e->mask & IN_CLOSE_WRITE) printf("IN_CLOSE_WRITE\n");
if(e->len) printf("filename is :%s\n", e->name);
if(e->mask & IN_ISDIR) printf("is Directory\n");
else printf("is file\n");
}
}
}
int main(int argc, char** argv) {
if(argc < 2) {
fprintf(stderr, "Usage: input a filename/dir\n");
return -1;
}
init(argv);
}