1

嗨,我有点难以理解编译器在说什么:

[BCC32 错误] frmNew.cpp(333): E2285 找不到匹配 'std::getline<_Elem,_Traits,_Alloc>(ifstream,std::vectorstd::string,std::allocator<std::string >)' 完整的解析器上下文 frmNew.cpp(303): 解析: void _fastcall TFrmNewPeta::showDefaultRute()

std::vector<std::string>mystring用来存储我的字符串文件,但 while (std::getline(ifs_Awal, mystring))抛出了错误。

这是我的完整代码:

    void __fastcall TFrmNewPeta::showDefaultRute()
    {
        std::string mystring;
        std::ifstream ifs_Awal;
        int tempIndexAwal = 0;
        ifs_Awal.open("DefaultDataAwal");
        while (std::getline(ifs_Awal, mystring)) {++tempIndexAwal;}
        std::vector<std::string> mystring(tempIndexAwal);
        while (std::getline(ifs_Awal, mystring)) // error
        {
            mystring.push_back(mystring); // error
        }
        ifs_Awal.close();
    }

我正在使用 C++ Builder 2010。

在许多教程中,他们更喜欢使用std::vector将字符串存储到动态数组中。所以我做了同样的事情,但是当我尝试使用std::vector<>.

4

3 回答 3

3

的第二个参数std::getline可能是std::string但不是std::vector<std::string>。错误消息显示非常清楚。

更新

std::vector<std::string> mystring(tempIndexAwal);

至:

std::string mystring;

你没有发布你如何声明myline,我想它是std::vector<std::string>

于 2013-10-06T09:20:33.257 回答
1

您将错误的论点传递给getline.

mystring不是std::string应有的 a ,而是std::vector. 因此 line std::getline(ifs_Awal,mystring)会导致错误,因为第二个参数不是std::string

还有,线

myline.push_back(mystring)

不起作用,因为myline可能是字符串的向量,并且您尝试将元素推vector<string>送到它。

因此,正如已经建议的那样,更改mylinestd::string就是答案。

于 2013-10-06T09:23:11.263 回答
1

billz 和 tomi 纠正了您传递的错误论点,因此我更改了您的代码。应该

    void __fastcall TFrmNewPeta::showDefaultRute() {
    std::string lines;
    std::ifstream ifs_Awal;
    int tempIndexAwal = 0;
    ifs_Awal.open("DefaultDataAwal");

    /*get the strings and counting the lines*/
    while(std::getline(ifs_Awal,lines)){++tempIndexAwal;}

    std::vector<std::string> mystring(tempIndexAwal);

    while(std::getline(ifs_Awal,lines)) //put your 'lines' here
    {
        mystring.push_back(lines); // theres no error again :)
    }
    ifs_Awal.close();
    }
于 2013-10-06T10:29:50.297 回答