inotify事件IN_MODIFY为tftp put发生两次

时间:2015-09-03 13:49:10

标签: c linux file inotify tftp

我正在使用inotify来收听对文件的修改。

当我测试文件修改时,程序运行正常。

# echo "test" > /tftpboot/.TEST

Output:
Read 16 data
IN_MODIFY

但是当我做tftp put时,会产生两个事件:

tftp>  put .TEST
Sent 6 bytes in 0.1 seconds
tftp>

Output:
Read 16 data
IN_MODIFY
Read 16 data
IN_MODIFY

知道如何避免重复通知吗?

代码如下:

#include <sys/inotify.h>
#include <stdio.h>
#include <stdlib.h>
#include <errno.h>
#include <sys/types.h>
#include <iostream>

using namespace std;

int main(int argc, const char *argv[])
{
    int fd = inotify_init();
    if (fd < 0)
    {
        cout << "inotify_init failed\n";
        return 1;
    }
    int wd = inotify_add_watch(fd, "/tftpboot/.TEST", IN_MODIFY);
    if (wd < 0)
    {
        cout << "inotify_add_watch failed\n";
        return 1;
    }
    while (true)
    {
        char buffer[sizeof(struct inotify_event) + NAME_MAX + 1] = {0};
        ssize_t length;

        do
        {
            length = read( fd, buffer, sizeof(struct inotify_event));
            cout << "Read " << length << " data\n";
        }while (length < 0);

        if (length < 0)
        {
            cout << "read failed\n";
            return 1;
        }

        struct inotify_event *event = ( struct inotify_event * ) buffer;
        if ( event->mask & IN_ACCESS )
            cout << "IN_ACCESS\n";
        if ( event->mask & IN_CLOSE_WRITE )
            cout << "IN_CLOSE_WRITE\n";
        if ( event->mask & IN_CLOSE_NOWRITE )
            cout << "IN_CLOSE_NOWRITE\n";
        if ( event->mask & IN_MODIFY )
            cout << "IN_MODIFY \n";
        if ( event->mask & IN_OPEN )
            cout << "IN_OPEN\n";
    }

    inotify_rm_watch( fd, wd );
    close (fd);

    return 0;
}

1 个答案:

答案 0 :(得分:11)

尝试使用IN_CLOSE_WRITE代替

  

IN_MODIFY IN_CLOSE_WRITE 之间有什么区别?

     

在   IN_MODIFY事件是在文件内容更改时发出的(例如,通过   write()syscall)在关闭更改时发生IN_CLOSE_WRITE   文件。这意味着每个更改操作都会导致一个IN_MODIFY事件(它   在使用打开文件进行操作期间可能会多次出现)   IN_CLOSE_WRITE只发出一次(关闭文件时)。

     

:使用 IN_MODIFY IN_CLOSE_WRITE 会更好吗?

     

它不同于   案例分析。通常它更适合使用IN_CLOSE_WRITE   因为如果发出相应文件的所有更改都是安全的   写在文件里面。 IN_MODIFY事件不需要表示文件   更改完成(数据可能保留在内存缓冲区中   应用)。另一方面,许多日志和类似文件必须是   使用IN_MODIFY监控 - 在这些文件所在的情况下   永久打开,因此不会发出IN_CLOSE_WRITE。

source