我正在尝试从文件中读取引用的字符串并将其存储在字符串中。我正在从文件中读取字符串,输入文件是这样的:
"Rigatoni" starch 2.99
"Mac & Cheese" starch 0.50
"Potato Salad" starch 3.59
"Fudge Brownie" sweet 4.99
"Sugar Cookie" sweet 1.50
我试过做几件事:
1
input.open(filename);
if (input.fail())
{
std::cout << "File is not found!";
exit(1);
}
else
{
std::string foodName = ""; std::string foodType = "";
double cost;
input >> foodName >> foodType >> cost;
foodName = foodName.substr(1, foodName.size()-2);
std::cout << foodName << " " << foodType << " " << cost << std::endl;
}
input.close();
此版本仅适用于第一行。在第一行之后,我没有得到完整的引用词。另一个版本读取整个引用的单词,但是,单词和数字是分开的。
input.open(filename);
if (input.fail())
{
std::cout << "File is not found!";
exit(1);
}
else
{
std::string line = "";
while (std::getline(input, line, '\n')) //delimeter is new line
{
if (line != "")
{
std::stringstream stream(line);
std::string foodName = "";
while (std::getline(stream, foodName, '"') ) //delimeter is double quotes
{
std::cout << "current word " << foodName << std::endl;
}
}
}
} input.close();
我的目标是阅读3个单独的单词。我查看了stackoverflow中的其他类似主题,但找不到适合我的问题的解决方案
答案 0 :(得分:10)
对于C ++ 14 std::quoted
:
std::string foodName, foodType;
double cost;
while (fs >> std::quoted(foodName) >> foodType >> cost)
{
}
是的,这会正确地将"some word"
解析为some word
。没有一个支持C ++ 14的编译器? (你应该,Fedora 22附带GCC 5.1.0),然后使用Boost。标准库在此Boost组件之后建模std::quoted
,因此它应该可以正常工作。
您的代码中还存在其他一些问题:
Streams有一个转换运算符bool。这意味着您可以执行:if (!input.open(filename)) { ... }
input.close()
是多余的。析构函数将自动关闭流。
您不检查输入是否有效,即if (!(input >> a >> b >> c)) { // error }
答案 1 :(得分:4)
我经常用它来引用引号:
std::string skip; // throw this away
std::string foodName;
std::getline(std::getline(input, skip, '"'), foodName, '"');
第一个std::getline读取(并删除)第一个引用。它返回输入流,因此您可以将其包装在另一个读取变量的std::getline中,直到结束报价。
例如:
#include <string>
#include <sstream>
#include <iostream>
std::istringstream input(R"~(
"Rigatoni" starch 2.99
"Mac & Cheese" starch 0.50
"Potato Salad" starch 3.59
"Fudge Brownie" sweet 4.99
"Sugar Cookie" sweet 1.50
)~");
int main()
{
std::string skip; // dummy
std::string foodName;
std::string foodType;
float foodValue;
while(std::getline(std::getline(input, skip, '"'), foodName, '"') >> foodType >> foodValue)
{
std::cout << "food : " << foodName << '\n';
std::cout << "type : " << foodType << '\n';
std::cout << "value: " << foodValue << '\n';
std::cout << '\n';
}
}
<强>输出:强>
food : Rigatoni
type : starch
value: 2.99
food : Mac & Cheese
type : starch
value: 0.5
food : Potato Salad
type : starch
value: 3.59
food : Fudge Brownie
type : sweet
value: 4.99
food : Sugar Cookie
type : sweet
value: 1.5