我一直在寻找我用于有限元方法的代码中的错误。关键是我必须从文件中获取一些数据来识别单元格的材料。此material_id的类型为unsigned char
,这是问题所在。
从文件中读取数据时,将值分配给unsigned char变量的不同方法会产生不同的结果。我已经解决了这个问题,但我仍然想知道为什么它以不同的方式工作。这里有一个重现不同行为的示例代码:
#include <map>
#include <sstream>
#include <fstream>
#include <string>
#include <iostream>
#include <vector>
#include <stdlib.h>
namespace types
{
//typedef unsigned int material_id;
typedef unsigned char material_id;
}
namespace Utilities
{
int string_to_int(const std::string & str)
{
return atoi(str.c_str());
}
}
template<typename Number>
void parseVector_1(std::ifstream & myfile,
std::vector<Number> & mat_id)
{
Number num;
std::string line, bin;
if (myfile.is_open())
{
getline (myfile,line);
std::istringstream iss(line);
while ( iss.good() )
{
iss >> bin; // option 1
num = Utilities::string_to_int(bin); // option 1
mat_id.push_back(num);
}
}
else std::cout << "Unable to open file";
}
template<typename Number>
void parseVector_2(std::ifstream & myfile,
std::vector<Number> & mat_id)
{
Number num;
std::string line, bin;
if (myfile.is_open())
{
getline (myfile,line);
std::istringstream iss(line);
while ( iss.good() )
{
iss >> num; // option 2
mat_id.push_back(num);
}
}
else std::cout << "Unable to open file";
}
int main()
{
unsigned int n_mat;
std::vector<types::material_id> mat_id_1;
std::vector<types::material_id> mat_id_2;
std::map<types::material_id, double> D1v;
D1v[0] = 0.0;
D1v[1] = 1.0;
D1v[2] = 2.0;
D1v[3] = 3.0;
D1v[4] = 4.0;
std::ifstream myfile1 ("materials.dat");
parseVector_1(myfile1, mat_id_1);
myfile1.close();
std::ifstream myfile2 ("materials.dat");
parseVector_2(myfile2, mat_id_2);
myfile2.close();
n_mat = mat_id_1.size();
std::cout << "option 1: ";
for (unsigned int i = 0; i < n_mat; ++i)
std::cout << "mat["<<i<<"]=" << D1v[mat_id_1[i]] << " ";
std::cout << std::endl;
n_mat = mat_id_2.size();
std::cout << "option 2: ";
for (unsigned int i = 0; i < n_mat; ++i)
std::cout << "mat["<<i<<"]=" << D1v[mat_id_2[i]] << " ";
std::cout << std::endl;
return 0;
}
“materials.dat”文件的内容如下:
0 1 2 3 4
以下是执行的输出:
$ unsignedchar_problem.exe
option 1: mat[0]=0 mat[1]=1 mat[2]=2 mat[3]=3 mat[4]=4
option 2: mat[0]=0 mat[1]=0 mat[2]=0 mat[3]=0 mat[4]=0 mat[5]=0
任何人都可以提供一些见解,为什么选项1工作正常,但选项2不是?是否依赖于它的编译器/平台总是那样?
作为附加信息,问题是因为material_id
类型被其计算机中的其他用户定义为unsigned int
,因此它没有任何问题。
答案 0 :(得分:1)
从istream中提取unsigned char
会读取单个字符并将该字符的数值存储到目标变量中。因此mat_id_2[0]
将包含'0'
的数值,该值可能为48(如果您的系统是ASCII)。
提取非chararacter整数类型将读取一个整数并存储该整数的值,如您所料。