我在尝试用c ++中的文本文件读取时遇到了这个异常。
Windows在myprogram.exe中触发了一个断点。
这可能是由于堆的损坏,这表示myprogram.exe或其加载的任何DLL中存在错误。
这也可能是由于用户在myprogram.exe有焦点时按下F12。
输出窗口可能包含更多诊断信息。
文本文件包含我想要保存在双数组中的数字,这是我的代码:
double* breakLine(char arr[])
{
double* row_data = new double[FILE_ROW_PARAMS];
int j= 0, m= 0,k= 0;
char str[FILE_ROW_SIZE];
while(arr[j] != '\0')//not end of line
{
if(arr[j] == ' ')//significant data
{
str[k] = '\0';
row_data[m++] = atoi(str);
k = 0;
}
else if(arr[j]!=' ')
{
str[k++] = arr[j];
if(arr[j+1] == '\0')
{
str[k] = '\0';
row_data[m] = atoi(str);
}
}
j++;
}
return row_data;
}
double* readFile(char fileName[],int* num,double* params)
{
int size= SIZE, number_of_lines= 0;
double* points = new double[SIZE * FILE_ROW_PARAMS];
char arr[128];
ifstream infile;
infile.open(fileName);
if(!infile)
{
cout<<"NO FILE!";
return NULL;
}
else
{
for(int i=0; i < NUMPARAM; i++) //get first params
{
infile >> params[i];
size--;
}
infile.getline(arr,128);
while(!infile.eof())
{
infile.getline(arr,128);
double* a = breakLine(arr);
for(int i=0; i < FILE_ROW_PARAMS; i++)
{
*(points+number_of_lines*FILE_ROW_PARAMS+i) = *(a+i);
}
number_of_lines++;
size--;
if(size == 0)
{
size = SIZE;
points = (double*)realloc(points, number_of_lines + SIZE * FILE_ROW_PARAMS);
}
}
infile.close();
*num = number_of_lines;
return points;
}
}
答案 0 :(得分:0)
我不完全确定文本文件的结构。但是你没有利用C ++库。这是一个代码示例,它逐行读取文本文件中的数字,并将它们推送到双精度矢量中。它也像你一样计算线条。我注意到你正在读取整数(你正在使用atoi()
转换输入),所以我的例子也是如此。在这个例子中,我忽略了你从文件中读取的初始参数。
#include <fstream>
#include <string>
#include <vector>
#include <sstream>
int main()
{
std::ifstream infile("c:\\temp\\numbers.txt");
std::vector<double> result;
std::string line;
int lines = 0;
while (std::getline(infile, line))
{
++lines;
std::stringstream instream(line);
std::copy(std::istream_iterator<int>(instream), std::istream_iterator<int>(), std::back_inserter(result));
}
return 0;
}