编辑:无法检查文件是否为空,我做错了什么?

edit: trouble checking if file is empty or not, what am I doing wrong?

编辑:更改了我的问题,使情况更准确

我正在尝试打开一个文本文件(如果不存在则创建它,如果不存在则打开它)。它是与输出相同的输入文件。

ofstream oFile("goalsFile.txt");
fstream iFile("goalsFile.txt");
string goalsText;   
string tempBuffer;
//int fileLength = 0;
bool empty = false;

if (oFile.is_open())
{
    if (iFile.is_open())
    {
        iFile >> tempBuffer;
        iFile.seekg(0, iFile.end);
        size_t fileLength = iFile.tellg();
        iFile.seekg(0, iFile.beg);
        if (fileLength == 0) 
        {
            cout << "Set a new goal\n" << "Goal Name:"; //if I end debugging her the file ends up being empty
            getline(cin, goalSet);
            oFile << goalSet;
            oFile << ";";
            cout << endl;

            cout << "Goal Cost:";
            getline(cin, tempBuffer);
            goalCost = stoi(tempBuffer);
            oFile << goalCost;
            cout << endl;
        }
    }
}

几个问题。首先,如果文件存在并且其中有文本,它仍然会进入通常会要求我设置新目标的 if 循环。我似乎无法弄清楚这里发生了什么。

尝试 Boost::FileSystem::is_empty 测试您的文件是否为空。我在某处读到,使用 fstream 不是测试空文件的好方法。

问题很简单,就是您使用的是缓冲 IO 流。尽管它们在下面引用相同的文件,但它们具有完全独立的缓冲区。

// open the file for writing and erase existing contents.
std::ostream out(filename);
// open the now empty file for reading.
std::istream in(filename);
// write to out's buffer
out << "hello";

此时,"hello"可能还没有写入磁盘,唯一的保证是它在out的输出缓冲区中。要强制将其写入磁盘,您可以使用

out << std::endl;  // new line + flush
out << std::flush; // just a flush

这意味着我们已将输出提交到磁盘,但此时输入缓冲区仍未触及,因此文件仍显示为空。

为了让您的输入文件看到您写入输出文件的内容,您需要使用 sync

#include <iostream>
#include <fstream>
#include <string>

static const char* filename = "testfile.txt";

int main()
{
    std::string hello;

    {
        std::ofstream out(filename);
        std::ifstream in(filename);
        out << "hello\n";
        in >> hello;
        std::cout << "unsync'd read got '" << hello << "'\n";
    }

    {
        std::ofstream out(filename);
        std::ifstream in(filename);
        out << "hello\n";

        out << std::flush;
        in.sync();

        in >> hello;
        std::cout << "sync'd read got '" << hello << "'\n";
    }
}

下一个您将 运行 尝试使用缓冲流执行此操作的问题是,每次将更多数据写入文件时,都需要 clear() 输入流上的 eof 位。 ..