好吧,我对编程不是很有经验,但我有一个创建c ++程序的任务,该程序使用数值方法计算三种物质混合物的温度,基于混合物中每种物质的焓和百分比。它基本上是多项式h = a1 * T + a2 * T ^ 2 + ...直到a6。对于H 2 O,H 2和O 2中的每一个,这些系数a1至a6在表中给出。我的程序需要能够从.dat文件中读取物质名称和系数值,以便我可以将系数用于我的方程式。这就是我需要帮助的地方。如何让程序将物质名称和系数值输入到数组中,以便在方程式中使用它们?对小说感到抱歉,但我试图给出尽可能多的背景。 下面正是我的.dat文件中的内容,以及我想要放入数组的内容。首先是物质名称,然后是a1,a2等。
H2O 406598.40 440.77751 -.12006604 .000015305539 -.00000000072544769 -4475789700 H2 50815.714 9.9343506 -.000027849704 -.00000035332966 .000000000041898079 -14329128 O2 961091.64 199.15972 -.052736240 .00000897950410 -.00000000063609681 -318699310
到目前为止,这是我的源代码,但它不起作用,而且我很丢失。
#include <iostream>
#include <string>
#include <fstream>
using namespace std;
int main()
{
double myArray[21];
ifstream file("thermo2.dat");
if (file.is_open())
{
for (int i = 0; i < 21; ++i)
{
file >> myArray[i];
}
}
else
{
cout << "the file did not open";
}
for (int i = 0; i < 21; ++i)
{
cout << " " << myArray[i];
}
return 0;
}
谢谢!
编辑:开始尝试使用一系列结构....我一直收到一个错误:没有匹配函数来调用&#39; getline(std :: ifstream&amp;,double&amp;,char)&#39 ;。继承人代码:
#include <iostream>
#include <fstream>
#include <string>
#include <sstream>
using namespace std;
struct Data
{
string species;
double a1, a2, a3, a4, a5, a6;
};
int main()
{
ifstream fin;
fin.open("thermo2.dat");
if (fin.fail())
{
cout << "Failed to open file" << endl;
}
Data * database = new Data[3];
string line;
for(int i = 0; i < 3; i++)
{
getline(fin, database[i].species, '\t');
getline(fin, database[i].a1, '\t');
getline(fin, database[i].a2, '\t');
getline(fin, database[i].a3, '\t');
getline(fin, database[i].a4, '\t');
getline(fin, database[i].a5, '\t');
getline(fin, database[i].a6, '\t');
}
system("pause");
return 0;
}
答案 0 :(得分:2)
将您的结构声明为:
struct Data
{
string species;
double a[6];
}
如下所示:
for(int i = 0; i < 3; i++) {
fin >> database[i].species;
for (int j = 0; j < 6; j++) {
fin >> database[i].a[j];
}
}
答案 1 :(得分:0)
我的建议:
创建struct
以保存每种材料的数据。
struct Material
{
std::string name;
double coeffcients[6];
};
创建一个函数,从流中读取一个Material
。
std::istream& operator>>(std::istream& in, Material& mat)
{
// Read the name.
in >> mat.name;
// If there was an error, return.
// Let the calling function deal with errors.
if (!in)
{
return in;
}
// Read the coefficients.
for (int i = 0; i < 6; ++i )
{
in >> mat.coefficients[i];
if (!in)
{
return in;
}
}
return in;
};
在main
函数中,写下驱动代码。
int main()
{
// Create a vector of materials.
std::vector<Material> materials;
// Open the input file.
ifstream file("thermo2.dat");
// Read Materials the file in a loop and
// add them to the vector.
Material mat;
while (file >> mat)
{
materials.push_back(mat);
}
// Now use the vector of Materials anyway you like.
// Done with main.
return 0;
}