我可以帮助解决这个问题。我有一个包含此文件的文件:
1x+1y+1z=5
2x+3y+5z=8
4x+0y+5z=2
我必须将它存储到字符串中。存储后,输出应为:
1x+1y+1z=5
a=1 b=1 c=1 d=5
2x+3y+5z=8
a=2 b=3 c=5 d=8
4x+0y+5z=2
a=4 b=0 c=5 d=2
这是我的代码,但它没有输出任何东西。有谁能够帮我?它在第19行给出了一个错误,但我不知道如何解决它。错误表示"没有匹配的呼叫功能。"
| 19 |错误:没有匹配的调用函数 ' std :: basic_ifstream :: getline(std :: string [10],int)' | | 22 |错误:没有匹配的调用函数 '的std :: basic_istringstream :: basic_istringstream(的std :: string [10])' |
#include <iostream>
#include <fstream>
#include <string>
#include <sstream>
using namespace std;
int main()
{
ifstream file("matrix.txt");
if (!file)
{
cout << "Could not open input file\n";
return 1;
}
for (string line[10]; file.getline(line, 10); )
{
cout << line << '\n';
istringstream ss(line);
double a, b, c, d;
char x, y, z, eq;
if (ss >> a >> x >> b >> y >> c >> z >> eq >> d)
{
if (x == 'x' && y == 'y' && z == 'z' && eq == '=')
{
cout << "a = " << a
<< " b = " << b
<< " c = " << c
<< " d = " << d << '\n';
}
else
{
cout << "parse error 2\n";
}
}
else
{
cout << "parse error 1\n";
}
}
}
答案 0 :(得分:0)
有几个错误。
错误没有。 1 强>
您不能也不应该声明string line[10]
。您也不应该使用for
循环。这是从流中逐字符串读取字符串的经典实现:
string line;
while (file >> line) {
... // do stuff
}
错误没有。 2 强>
你的数字是整数,而不是双数,所以你应该使用:
int a, b, c, d;
将值保存到数组中
首先,我要说,没有充分的理由使用原始数组。您应该总是喜欢使用标准ADT,例如std :: vector。
在这种情况下,您不应该将值正确地读入向量,因为该值可能格式不正确。
而是遵循以下顺序:
vector<string> lines;
string line;
while (file >> line) {
... // do stuff
if (successful)
lines.push_back(line);
}
答案 1 :(得分:0)
这是读取文件并插入数组的代码。
#include <iostream>
#include <fstream>
#include <string>
using namespace std;
const int MAX_LINES = 100;
int main() {
std::string strArray[MAX_LINES];
fstream newFile;
newFile.open("matrix.txt", ios::in); //open a file to perform read operation
if (newFile.is_open()) { //checking whether the file is open
string tp;
for (int counter = 0; getline(newFile, tp); counter++) { // get new line
strArray[counter] = tp; // read into string array
cout << tp << "\n"; //print the string
}
newFile.close(); //close the file object.
}
return 0;
}