3

我有一个 C++ 程序将数据写入一个名为“history.txt”的文本文件。我希望它连续写入,除非我的 Ruby 进程决定要从中读取。

这个问题的解决方案显然是互斥锁,但我只发现了在用相同语言编写的进程之间共享互斥锁的示例。

我是否必须在两个进程之间使用命名管道笨拙地实现这一点,还是有更简单的方法?

4

1 回答 1

4

flock您应该能够通过在RubyC++中使用锁定“history.txt”来完成您想要的(这可能也存在于许多其他语言中,因为它是一个系统调用),尽管似乎确实有一些使用此方法时可能出现的问题。

这是我用来测试该方法的代码。

这是Ruby代码:

File.open("history.txt", "r+") do |file|
    puts "before the lock"
    file.flock(File::LOCK_EX)
    puts "Locking until you press enter"
    gets
    puts file.gets
    file.flock(File::LOCK_UN)
end

这是 C++ 代码:

#include <iostream>
#include <fstream>
#include <sys/file.h>

int main()
{
    FILE *h; 
    h = fopen("history.txt","a"); //open the file
    std::cout << "Press enter to lock\n";
    std::cin.get();
    int hNum = fileno(h); //get the file handle from the FILE*
    int rt = flock(hNum, LOCK_EX); //Lock it down!
    std::cout << "Writing!"<<rt<<"\n";
    fprintf(h,"Shoop da woop!\n");
    std::cout << "Press enter to unlock\n";
    std::cin.get();
    rt = flock(hNum, LOCK_UN);
    fflush(h);
    fclose(h);
    return 0;
}

通过运行这两种方法,您可以确认 Ruby 进程在 C++ 进程锁定文件时停止,反之亦然。

于 2013-08-13T03:01:02.300 回答