1

如果这个问题已经被问到并且我的谷歌技能让我失望,我会事先道歉。

我正在用 ncurses 制作一个简单的控制台游戏,我想在这个锁定的 zip 文件夹中包含额外的知识、奖励材料等......

我可以很好地将代码写入文件,但无论出于何种原因,当我重新访问将文本写入文件的地方时,它会重复自身。我试过寻找解决方案,但没有找到,所以这是我最后的手段。

基本信息:我使用windows,但我希望程序是跨平台的。如果需要更多信息,我很乐意提供。

编辑1:

std::ifstream checkFile("Unlocks.txt");
if(checkFile.is_open())
{
    std::string data;
    std::string fernox = "Unlock for Fernox Piraxis File";
    while(std::getline(checkFile, data))
    {
        if(data.find(fernox) == std::string::npos)
        {
            std::ofstream myFile("Unlocks.txt", std::ios::app);
            myFile << "Unlock for Fernox Piraxis File: ZWdOFMRmeE\n";
            myFile.close();
            break;
        }
    }
    checkFile.close();
}

编辑 2:我不想覆盖其他文件的任何部分。此代码“应该”检查上面的行是否已写入文件中,如果没有,则写入。如果该行已经存在于文件中,我不希望它再次写入同一行(并且我正在使用ios::app它以便它不会覆盖文件中已经存在的任何内容。

在此先感谢您的帮助。

编辑 3:感谢 twalberg,现在可以工作了。

最终代码:

std::ifstream checkFile ("Unlocks.txt");
if(checkFile.is_open())
{
    bool found = false;
    std::string data;
    std::string fernox ("Unlock for Fernox Piraxis File");
    while(std::getline(checkFile, data))
    {
        if(data.find(fernox) != std::string::npos)
        {
            found = true;
            break;
        }
    }
    if(!found)
    {
        std::ofstream myFile("Unlocks.txt", std::ios::app);
        myFile << "Unlock for Fernox Piraxis File: ZWdOFMRmeE\n";
        myFile.close();
    }
    checkFile.close();
}
4

1 回答 1

1

你目前的逻辑有点不对劲。您正在读取文件的第一行,如果该行不匹配,则追加字符串并跳出循环。你需要的是一个更像这样的结构,检查文件的每一行,然后才决定是否附加你的字符串:

// open file

bool found = false;
while (std::getline(checkFile, data))
{  if (data.find(fernox) != std::string::npos) // we found a match
   { found = true;
     break;
   }
}

if (!found)
{ // append string here
}

// close file
于 2013-08-06T20:24:06.100 回答