5

我下面的示例代码监视文件以进行修改。假设被监视的文件是 foo.txt,而从示例代码中得到的二进制名称是 inotify。我对示例代码进行了两次测试。

test1:
1) ./inotify foo.txt
2) echo "hello" > foo.txt
然后一切正常,并且“文件已修改”已打印出来。

test2:
1) ./infity foo.txt
2) vim foo.txt
3) 以某种方式编辑并保存,但不要退出 vim
打印出来的行是 未知的掩码 0x00008000,检查 inotify 头文件发现这个事件掩码意味着IN_CLOSE_WRITE .

从我的角度来看,“编辑和保存”只是menas修改。但显然 inotify 代码对它有不同的解释。对我来说很奇怪,任何人都可以帮助解释背后的事情吗?

#include <sys/inotify.h>
#include <stdio.h>
#include <string.h>
#include <errno.h>
#include <unistd.h>
#include <stdlib.h>


int main(int argc, char **argv)
{
  int fdnotify = -1; 

  if (argc !=2) {
    fprintf(stderr, "usage: ./inotify dir_name\n");
    exit(1);
  }

  printf("argc is %d\n", argc);

  fdnotify = inotify_init();
  if (fdnotify < 0) {
    fprintf(stderr, "inotity_init failed: %s\n", strerror(errno));
  }

  int wd = inotify_add_watch(fdnotify, argv[1], IN_MODIFY);
  if (wd < 0) {
    fprintf(stderr, "inotify_add_watch failed: %s\n", strerror(errno));
  }

  while(1) {
    char buffer[4096];
    struct inotify_event *event = NULL;

    int len = read(fdnotify, buffer, sizeof(buffer));

    if (len < 0) {
      fprintf(stderr, "read error %s\n", strerror(errno));
    }   

    event = (struct inotify_event *) buffer;

    while(event != NULL) {
      if ((event->mask & IN_MODIFY)  ) { 
        printf("File modified %s\n", event->name);
      } else {
 printf("unknown Mask 0x%.8x\n", event->mask);
      }
      len -= sizeof(*event) + event->len;

      if (len > 0)
        event = ((void *) event) + sizeof(event) + event->len;
      else
        event = NULL;
    }
  }
}
4

2 回答 2

7

Vim 是一个程序,它不会在您保存文件时直接保存到文件中。它会创建一个通常命名为的临时文件.filename.swp,并且仅当您关闭 vim 时,此文件才会重命名为filename. 从 inotify 的常见问题解答:

IN_MODIFY 事件在文件内容更改时发出(例如通过 write() 系统调用),而 IN_CLOSE_WRITE 在关闭更改的文件时发生。这意味着每个更改操作都会导致一个 IN_MODIFY 事件(在打开文件的操作过程中可能会发生多次),而 IN_CLOSE_WRITE 仅发出一次(关闭文件时)。

所以你得到的事件实际上是有意义的。假设您有一个名为filename. 当您打开该文件时,filename会创建另一个名为.filename.swp. 如果受到监控,您对此文件执行的所有修改都会生成许多IN_MODIFY事件。当您实际保存时,最终发生的是,vim 重命名此文件并关闭它,从而生成IN_CLOSE_WRITE事件。

于 2012-11-09T17:30:26.877 回答
2

我认为掩码 0x00008000 是 IN_IGNORED 根据inotify.h:

#define IN_CLOSE_WRITE   0x00000008 /* Writtable file was closed.  */
#define IN_IGNORED   0x00008000 /* File was ignored.  */

事件掩码是否可能是 IN_IGNORED?

于 2012-11-16T03:22:04.710 回答