6

我正在使用如下代码在继续之前检查文件是否已创建,问题是文件在被 stat 检测到之前就已显示在文件浏览器中......这样做有问题吗?

//... do something

struct stat buf;

while(stat("myfile.txt", &buf))
  sleep(1);

//... do something else

或者有更好的方法来检查文件是否存在?

4

3 回答 3

4

使用inotify,您可以安排内核在文件系统发生更改(例如文件创建)时通知您。这很可能是您的文件浏览器用来快速了解文件的方法。

于 2010-07-29T13:37:10.487 回答
3

“stat”系统调用正在收集有关文件的不同信息,例如指向它的多个硬链接或其“inode”编号。您可能想查看“访问”系统调用,您只能通过在“模式”中指定“F_OK”标志来执行存在性检查。

但是,您的代码存在一个小问题。每次检查尚不存在的文件时,它都会使进程休眠一秒钟。为避免这种情况,您必须按照 Jerry Coffin 的建议使用inotify API,以便在您等待的文件存在时收到内核通知。请记住,如果文件已经存在,inotify 不会通知您,因此实际上您需要同时使用“access”和“inotify”来避免在创建文件后开始查看文件时出现竞争条件。

没有更好或更快的方法来检查文件是否存在。如果您的文件浏览器显示文件的速度仍然比该程序检测到的速度稍快,则可能是 Greg Hewgill 关于重命名的想法。

这是一个 C++ 代码示例,它设置一个 inotify 监视,检查文件是否已经存在,否则等待它:

#include <cstdio>
#include <cstring>
#include <string>

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

int
main ()
{
    const std::string directory = "/tmp";
    const std::string filename = "test.txt";
    const std::string fullpath = directory + "/" + filename;

    int fd = inotify_init ();
    int watch = inotify_add_watch (fd, directory.c_str (),
                                   IN_MODIFY | IN_CREATE | IN_MOVED_TO);

    if (access (fullpath.c_str (), F_OK) == 0)
    {
        printf ("File %s exists.\n", fullpath.c_str ());
        return 0;
    }

    char buf [1024 * (sizeof (inotify_event) + 16)];
    ssize_t length;

    bool isCreated = false;

    while (!isCreated)
    {
        length = read (fd, buf, sizeof (buf));
        if (length < 0)
            break;
        inotify_event *event;
        for (size_t i = 0; i < static_cast<size_t> (length);
             i += sizeof (inotify_event) + event->len)
        {
            event = reinterpret_cast<inotify_event *> (&buf[i]);
            if (event->len > 0 && filename == event->name)
            {
                printf ("The file %s was created.\n", event->name);
                isCreated = true;
                break;
            }
        }
    }

    inotify_rm_watch (fd, watch);
    close (fd);
}
于 2010-07-29T14:35:00.387 回答
1

您的代码将每秒检查文件是否存在。您可以改用inotify来获取事件。

于 2010-07-29T13:38:14.587 回答