4

我搜索了与inotify相关的问题,这个有点不同......

我使用以下代码来监视一个文件(不是目录)的更改。在测试中,当我保存目标文件时 read() 确实返回,这意味着它可以工作。但是 event->mask 是 32768 ,它不是 IN_MODIFY 并且名称为空。另一个问题:它无法连续监控。当我第二次更改文件时,它没有响应。感谢您的帮助!

#include <sys/inotify.h>
#include <unistd.h>
#include <stdio.h>

#define EVENT_SIZE  (sizeof (struct inotify_event))
#define BUF_LEN        (16 * (EVENT_SIZE + 16))

int main()
{
    int fd;
    fd = inotify_init();
    if (fd < 0)
        perror("inotify_init()");

    int wd;
    wd = inotify_add_watch(fd, "target.txt", IN_MODIFY);
    if (wd < 0)
        perror("inotify_add_watch");

    char buf[BUF_LEN];
    int len;

start:

    len = read(fd, buf, BUF_LEN);

    if (len > 0)
    {
        int i = 0;
        while (i < len)
        {
            struct inotify_event *event;
            event = (struct inotify_event *) &buf[i];

            printf("wd=%d mask=%x cookie=%u len=%u\n",
                event->wd, event->mask,
                event->cookie, event->len);

            if (event->mask & IN_MODIFY)
                printf("file modified %s", event->name);

            if (event->len)
                printf("name=%s\n", event->name);

            i += EVENT_SIZE + event->len;
        }
    }

    goto start;

    return 0;
}
4

2 回答 2

6

0x8000对应IN_IGNORED于。它在掩码中的存在表明inotify手表已被删除,因为文件已被删除。您的编辑器可能删除了旧文件并在其位置放置了一个新文件。第二次更改文件没有效果,因为手表已被移除。

由于您没有查看目录,因此未返回名称。

inotify手册页

name字段仅在为监视目录中的文件返回事件时出现;它标识相对于监视目录的文件路径名。

...

IN_IGNORED -- 显式删除监视 (inotify_rm_watch(2)) 或自动删除 (文件已删除,或文件系统已卸载)。

于 2013-03-12T00:03:12.770 回答
4

event->mask 32768 相当于 0x8000 即 IN_IGNORED 更多信息:“/usr/include/linux/inotify.h”

    if (event->mask & IN_IGNORED) {
        /*Remove watch*/ inotify_rm_watch(fileDescriptor,watchDescriptor)
        /*Add watch again*/ inotify_add_watch
    }
于 2013-03-12T03:40:48.800 回答