2

我有一个这样的txt文件:

"shoes":12
"pants":33
"jacket":26
"glasses":16
"t-shirt":182

我需要更换夹克的数量(例如从 26 到 42)。所以,我写了这段代码,但我不知道如何编辑有“夹克”这个词的特定行:

#include <iostream>
#include <fstream> 

using namespace std;

int main() {

    ifstream f("file.txt");
    string s;

    if(!f) {
        cout< <"file does not exist!";
        return -1;
    }

    while(f.good()) 
    {       
        getline(f, s);
        // if there is the "jacket" in this row, then replace 26 with 42.
    }


    f.close(); 
    return 0;
}
4

2 回答 2

3

为了修改文本文件中的数据,您通常必须将整个文件读入内存,在那里进行修改,然后重写。在这种情况下,我建议为条目定义一个结构,其中namequantity条目,定义为名称相等的相等性,以及重载operator>>operator<<从文件中读取和写入它。然后,您的整体逻辑将使用以下功能:

void
readData( std::string const& filename, std::vector<Entry>& dest )
{
    std::ifstream in( filename.c_str() );
    if ( !in.is_open() ) {
        //  Error handling...
    }
    dest.insert( dest.end(),
                 std::istream_iterator<Entry>( in ),
                 std::istream_iterator<Entry>() );
}

void
writeData( std::string const& filename, std::vector<Entry> const& data )
{
    std::ifstream out( (filename + ".bak").c_str() );
    if ( !out.is_open() ) {
        //  Error handling...
    }
    std::copy( data.begin(), data.end(), std::ostream_iterator<Entry>( out ) );
    out.close();
    if (! out ) {
        //  Error handling...
    }
    unlink( filename.c_str() );
    rename( (filename + ".bak").c_str(), filename.c_str() );
}

(我建议在错误处理中引发异常,这样您就不必担心ifs 的 else 分支。除了ifstream首先创建的之外,错误条件是异常的。)

于 2012-04-19T10:31:18.800 回答
0

首先,这在幼稚的方式中是不可能的。假设您要编辑所述行但写入更大的数字,文件中将没有任何空间。所以通常中间的eidts都是通过重写文件或者写副本来完成的。程序可能会使用内存、临时文件等并将其对用户隐藏,但在文件中间更改一些字节只会在非常受限的环境中工作。

所以你要做的是写另一个文件。

...
string line;
string repl = "jacket";
int newNumber = 42;
getline(f, line)
if (line.find(repl) != string::npos)
{
    osstringstream os;
    os << repl  << ':' << newNumber;
    line = os.str();
}
// write line to the new file. For exmaple by using an fstream.
...

如果文件必须相同,则可以将所有行读取到内存中,如果内存足够的话,或者使用临时文件进行输入或输出。

于 2012-04-19T10:20:24.780 回答