我想确保已将一个ofstream写入磁盘设备。这样做的便携方式(可在POSIX系统上移植)是什么?
如果我在{strike>只读追加模式中单独open
文件来获取文件描述符并用它调用fsync
,那么这是否解决了问题?像这样:
ofstream out(filename);
/* ...
write content into out
...
*/
out.close();
int fd = open(filename, O_APPEND);
fsync(fd);
close(fd);
答案 0 :(得分:6)
如果您能够使用Boost,请尝试基于file_descriptor_sink的流,例如:
boost::filesystem::path filePath("some-file");
boost::iostreams::stream<boost::iostreams::file_descriptor_sink> file(filePath);
// Write some stuff to file.
// Ensure the buffer's written to the OS ...
file.flush();
// Tell the OS to sync it with the real device.
//
::fdatasync(file->handle());
答案 1 :(得分:5)
不幸的是,通过标准查看,basic_filebuf
或任何basic_[io]?fstream
类模板都没有提供任何内容来允许您提取底层操作系统文件描述符(以fileno()
的方式适用于C stdio I / O)。
也没有open()
方法或构造函数将这样的文件描述符作为参数(允许您使用不同的机制打开文件并记录文件句柄)。
有basic_ostream::flush()
,但我怀疑这实际上并没有调用fsync()
- 我希望,就像stdio中的fflush()
一样,它只会确保用户空间刷新运行时库缓冲区,这意味着操作系统仍然可以缓冲数据。
因此,简而言之似乎没有办法可移植。 :(
怎么办?我的建议是继承basic_filebuf<C, T>
:
template <typename charT, typename traits = std::char_traits<charT> >
class my_basic_filebuf : public basic_filebuf<charT, traits> {
....
public:
int fileno() { ... }
....
};
typedef my_basic_filebuf<char> my_filebuf;
要使用它,您可以使用默认构造函数构造ofstream
,然后使用rdbuf()
分配新缓冲区:
my_filebuf buf;
buf.open("somefile.txt");
ofstream ofs;
ofs.rdbuf(&buf);
ofs << "Writing to somefile.txt..." << endl;
int fd = static_cast<my_filebuf*>(ofs.rdbuf())->fileno();
当然,您还可以从basic_ostream
派生一个新类,以便更方便地打开文件并检索其文件描述符。
答案 2 :(得分:3)
std::filebuf
可能在其中的某处有一个文件描述符,但是获取它需要特定于实现的可怕黑客攻击。
这是libstdc ++的一个可怕的黑客攻击。
#include <fstream>
#include <unistd.h>
int GetFileDescriptor(std::filebuf& filebuf)
{
class my_filebuf : public std::filebuf
{
public:
int handle() { return _M_file.fd(); }
};
return static_cast<my_filebuf&>(filebuf).handle();
}
int main()
{
std::ofstream out("test");
out << "Hello, world!";
out.flush();
fsync(GetFileDescriptor(*out.rdbuf()));
}
答案 3 :(得分:2)
根本无法在打开的文件描述符上进行fsync()
移植。在Linux中,如果描述符不处于写入模式,fsync()
为documented生成EBADF。