0

如果 INI 文件中有超过 1000 个字符,我想跳过读取一行。这是我正在使用的代码:

#define MAX_LINE 1000
char buf[MAX_LINE];
CString strTemp;
str.Empty();
for(;;)
{
    is.getline(buf,MAX_LINE);
    strTemp=buf;
    if(strTemp.IsEmpty()) break;
    str+=strTemp;

    if(str.Find("^")>-1)
    {
        str=str.Left( str.Find("^") );
        do
        {
            is.get(buf,2);
        } while(is.gcount()>0);
        is.getline(buf,2);
    }
    else if(strTemp.GetLength()!=MAX_LINE-1) break;

}
//is.getline(buf,MAX_LINE);
return is;

...

我面临的问题是,如果字符超过 1000,如果似乎陷入无限循环(无法读取下一行)。如何让 getline 跳过该行并读取下一行?

4

3 回答 3

1
const std::size_t max_line = 1000;  // not a macro, macros are disgusting

std::string line;
while (std::getline(is, line))
{
  if (line.length() > max_line)
    continue;
  // else process the line ...
}
于 2012-05-17T16:25:30.633 回答
0

getline如果失败,如何检查和中断的返回值?

..或者如果is是 istream,你可以检查一个 eof() 条件来打破你。

#define MAX_LINE 1000
char buf[MAX_LINE];
CString strTemp;
str.Empty();
while(is.eof() == false)
{
    is.getline(buf,MAX_LINE);
    strTemp=buf;
    if(strTemp.IsEmpty()) break;
    str+=strTemp;

    if(str.Find("^")>-1)
    {
        str=str.Left( str.Find("^") );
        do
        {
            is.get(buf,2);
        } while((is.gcount()>0) && (is.eof() == false));
        stillReading = is.getline(buf,2);
    }
    else if(strTemp.GetLength()!=MAX_LINE-1)
    {
        break;
    }
}
return is;
于 2012-05-17T11:42:15.913 回答
0

对于完全不同的东西:

std::string strTemp;
str.Empty();
while(std::getline(is, strTemp)) { 
    if(strTemp.empty()) break;
    str+=strTemp.c_str(); //don't need .c_str() if str is also a std::string

    int pos = str.Find("^"); //extracted this for speed
    if(pos>-1){
        str=str.Left(pos);
        //Did not translate this part since it was buggy
    } else
        //not sure of the intent here either
        //it would stop reading if the line was less than 1000 characters.
}
return is;

这使用字符串以方便使用,并且对行没有最大限制。它也将std::getline用于动态/魔法一切,但我没有翻译中间的位,因为它对我来说似乎非常有问题,而且我无法解释意图。

中间的部分只是一次读取两个字符,直到它到达文件的末尾,然后由于您没有检查返回值,因此之后的所有内容都会做一些奇怪的事情。由于完全错误,我没有解释它。

于 2012-05-17T16:34:18.710 回答