我有一个包含整数行的文件。我想将每一行读入我的数组中的一个插槽。我有下面的代码,但它不起作用。我不确定自己是否走在正确的轨道上。
void Read_Save() {
ifstream in;
int arr[100];
string line;
in.open("file.txt");
while (in.peek() != EOF)
{
getline(in, line, '\n');
strcpy(arr, line.c_str());
}
in.clear(); in.close();
}
答案 0 :(得分:2)
有几种方法可以解析字符串中的整数值。
首先,让我们修复你的循环:
int pos = 0;
while( std::getline(in, line) && pos < 100 )
{
int value = 0;
// Insert chosen parsing method here
arr[pos++] = value;
}
以下是常见选项的非详尽列表:
// Will return 0 on error (indistinguishable from parsing actual 0)
value = std::strtol( line.c_str(), nullptr, 10 );
// Will throw exception on error
value = std::stoi( line );
构建std::istringstream
并从中读取:
std::istringstream iss( line );
iss >> value;
if( !iss ) {
// Failed to parse value.
}
if( 1 != std::sscanf( line.c_str(), "%d", &value ) )
{
// Failed to parse value.
}
现在,请注意循环检查pos < 100
上的bounds-test。这是因为您的阵列具有存储限制。实际上,你还使用Read_Save
中的本地数据覆盖全局数据,从而将其隐藏在一个较小的数组中,该数组将在函数完成时丢失。
使用标准库提供的其他容器类型,您可以拥有任意大小的“数组”(实际上不是数组)。提供随机访问的有用的是std::vector
和std::deque
。让我们使用向量并将Read_Save
的定义更改为更有用:
std::vector<int> Read_Save( std::istream & in )
{
std::vector<int> values;
std::string line;
for( int line_number = 1; getline( in, line ); line_number++ )
{
try {
int value = std::stoi( line );
values.push_back( value );
}
catch( std::bad_alloc & e )
{
std::cerr << "Error (line " << line_number << "): Out of memory!" << std::endl;
throw e;
}
catch( std::exception & e)
{
std::cerr << "Error (line " << line_number << "): " << e.what() << std::endl;
}
}
return values;
}
最后,电话会变成:
std::ifstream in( "file.txt" );
std::vector<int> values = Read_Save( in );
答案 1 :(得分:1)
您无法使用strcpy()
将字符串转换为整数。您可以使用std::strtol()
或std::stoi()
,甚至是std::istringstream
,例如:
int arr[1000];
void Read_Save() {
ifstream in;
string line;
in.open("file.txt");
int index = 0;
while ((index < 1000) && (getline(in, line)))
{
if (istringstream(line) >> arr[index])
++index;
}
}
答案 2 :(得分:0)
在您的情况下,最好的办法是使用std::vector
。代码如下所示:
void Read_Save()
{
std::ifstream in("file.txt");
int value;
std::vector<int> arr;
while (in >> value)
arr.push_back(value);
for(int i(0); i < arr.size(); i++)
std::cout << arr[i] << ", ";
std::cout << std::endl;
in.close();
}