3

我正在寻找一些建议。

我的情况:

  • 应用程序使用文本本地文件

  • 在文件中有这样的标签:

    正确=“文本”
    . 不幸的是,正确的、="TEXT"之间可以有无限的空格。

  • 获得的文本正在功能测试中,可能会被替换(更改必须存储在文件中)。

    正确 = "CORRECT_TEXT"

我目前的理论方法:

  • 使用ofstream -- 逐行读取到字符串。

  • 查找标签并更改字符串。

  • 将字符串作为行保存到文件中。


仅使用标准系统库(unix)在 C++ 中是否有一些简化方法(使用迭代器? )。

谢谢你的想法。

4

4 回答 4

4

这是一个可能的解决方案,它使用:

例子:

#include <iostream>
#include <fstream>
#include <iterator>
#include <algorithm>
#include <string>
#include <vector>

struct modified_line
{
    std::string value;
    operator std::string() const { return value; }
};
std::istream& operator>>(std::istream& a_in, modified_line& a_line)
{
    std::string local_line;
    if (std::getline(a_in, local_line))
    {
        // Modify 'local_line' if necessary
        // and then assign to argument.
        //
        a_line.value = local_line;
    }
    return a_in;
}

int main() 
{
    std::ifstream in("file.txt");

    if (in.is_open())
    {
        // Load into a vector, modifying as they are read.
        //
        std::vector<std::string> modified_lines;
        std::copy(std::istream_iterator<modified_line>(in),
                  std::istream_iterator<modified_line>(),
                  std::back_inserter(modified_lines));
        in.close();

        // Overwrite.
        std::ofstream out("file.txt");
        if (out.is_open())
        {
            std::copy(modified_lines.begin(),
                      modified_lines.end(),
                      std::ostream_iterator<std::string>(out, "\n"));
        }
    }

    return 0;
}

我不确定线条的操作应该是什么,但你可以使用:

编辑:

为了避免一次将每一行存储在内存中,初始copy()可以更改为写入替代文件,然后是文件rename()

std::ifstream in("file.txt");
std::ofstream out("file.txt.tmp");

if (in.is_open() && out.open())
{
    std::copy(std::istream_iterator<modified_line>(in),
              std::istream_iterator<modified_line>(),
              std::ostream_iterator<std::string>(out, "\n"));

    // close for rename.
    in.close();
    out.close();

    // #include <cstdio>
    if (0 != std::rename("file.txt.tmp", "file.txt"))
    {
        // Handle failure.
    }
}
于 2012-05-31T15:20:08.887 回答
1

您可以将任务分成小块,并弄清楚如何在 C++ 中完成每个任务:

  • 打开一个文件作为输入流
  • 打开临时文件作为输出流
  • 从流中读取一行
  • 将一行写入流
  • 将一行与给定的模式匹配
  • 替换一行中的文本
  • 重命名文件

注意:在这种情况下,您一次不需要在内存中存储多于一行。

于 2012-05-31T15:31:30.900 回答
1

它看起来很像“INI 文件”语法。你可以搜索它,你会有大量的例子。但是,其中很少有人会真正使用 C++ 标准库。

这里有一些建议。(注意,我假设您需要替换的每一行都使用以下语法<parameter> = "<value_text>":)

  • 使用std::string::find方法定位'='字符。
  • 使用该std::string::substr方法将字符串拆分为不同的块。
  • 您需要创建一个修剪算法来删除字符串前面或后面的每个空白字符。(可以用std函数来完成)

有了所有这些,您就可以拆分字符串并隔离各个部分以比较它们进行所需的修改。

玩得开心 !

于 2012-05-31T16:10:52.333 回答
0

您确定需要在 C++ 中执行此操作吗?由于您在 Unix 上,您可以调用sedwhich 将使用以下命令轻松完成此操作:

cat oldfile | sed 's/\(correct *= *\)\"TEXT\"/\1\"CORRECT_TEXT\"/' > newfile

如果必须,您可以在 C++ 中调用 unix 命令(例如使用system("command")from <cstdlib>.

于 2012-05-31T15:38:44.210 回答