ini 文件包含: address="localhost" username="root" password="yourpassword" database="yourdatabasename"
我需要用ifstream找到两个“”之间的单词,并将其放入char中。
有没有办法做到这一点??
如果每对夫妇之间有换行符,您可以执行以下操作。
std::string line; //string holding the result
char charString[256]; // C-string
while(getline(fs,line)){ //while there are lines, loop, fs is your ifstream
for(int i =0; i< line.length(); i++) {
if(line[i] != '"') continue; //seach until the first " is found
int index = 0;
for(int j= i+1; line[j] != '"'; j++) {
charString[index++] = line[j];
}
charString[index] = '\0'; //c-string, must be null terminated
//do something with the result
std::cout << "Result : " << charString << std::endl;
break; // exit the for loop, next string
}
}
我会按如下方式处理它:
std::istream& operator>>( std::istream &, NameValuePair & );
然后,您可以执行以下操作:
ifstream inifile( fileName );
NameValuePair myPair;
while( ifstream >> myPair )
{
myConfigMap.insert( myPair.asStdPair() );
}
如果您的 ini 文件包含节,每个节都包含命名值对,那么您需要读取到节的末尾,这样您的逻辑就不会使用流失败,而是会使用某种带有状态机的抽象工厂。(你读了一些东西,然后确定它是什么,从而决定了你的状态)。
至于实现读入名称-值对的流,可以使用 getline 完成,使用引号作为终止符。
std::istream& operator>>( std::istream& is, NameValuePair & nvPair )
{
std::string line;
if( std::getline( is, line, '\"' ) )
{
// we have token up to first quote. Strip off the = at the end plus any whitespace before it
std::string name = parseKey( line );
if( std::getline( is, line, '\"' ) ) // read to the next quote.
{
// no need to parse line it will already be value unless you allow escape sequences
nvPair.name = name;
nvPair.value = line;
}
}
return is;
}
请注意,在我们完全解析令牌之前,我没有写入 nvPair.name。如果流式传输失败,我们不想部分写入。
如果任一 getline 失败,则流将处于失败状态。这将在文件末尾自然发生。如果由于这个原因失败,我们不想抛出异常,因为这是处理文件结尾的错误方法。如果它在名称和值之间失败,或者名称没有尾随 = 符号(但不是空的),您可以抛出,因为这不是自然发生的。
请注意,这允许引号之间有空格甚至换行符。它们之间的任何内容都被读取而不是另一个引号。您必须使用转义序列来允许这些(并解析值)。
如果您使用 \" 作为转义序列,那么当您获得值时,如果它以 \ 结尾(以及将其更改为引号),则必须“循环”,并将它们连接在一起。