我正在处理一个具有输入文件的程序,它添加,删除或打印字符串。我的print
函数可以正常工作,但是当我删除显示的代码行时,我会遇到细分错误。
int main()
{
vector <string> vec; //Creates an empty vector
string command;
string word;
int index;
ifstream fin;
fin.open("datalabvec.dat"); //Opens the input file
if (!fin)
cout << "The input file does not exist" << endl << endl;
else
{
fin >> command;
while (fin)
{
if (command =="Add")
{
fin >> word >> index;
//addVec (vec, word, index);
}
//if (command == "Remove")
//{
//fin >> index;
//remVec (vec, index);
//}
// else //Print function
{
printVec(vec);
}
fin >> command;
}
}
}
void addVec(vector <string> &v, string word, int ind)
{
int size = v.size();
if (ind > size + 1)
cout << "Invalid adding at index " << ind << endl;
else
{
v.insert(v.begin()+ind, word);
}
}
void remVec(vector <string> &v, int ind)
{
int size = v.size();
if (ind > size)
cout << "Invalid removing at index " << ind << endl;
else
{
v.erase(v.begin() + ind);
}
}
void printVec(const vector <string> v)
{
int size = v.size();
for (int i = 0; i < size; i++)
{
cout << v[i] << "t";
}
cout << endl;
}
输入文件
Remove 0
Add Student 0
Add Kid 0
Add Final 1
Add Grow 1
Add Note 2
Add Bad 6
Remove 5
Add Worse -1
Print
Add Rich 5
Remove 1
Remove 7
Add Mind 2
Remove 3
Print
在您的添加功能中。我猜您错误地写了size 1 if infrest语句。它应该是Size-1,因为向量的最后一个成员在尺寸1处。[0] - [size -1]。正确的语句是(IND> = size)或Ind> size-1。就像您在作者功能中用于循环一样。
和布拉德在下面的评论中提出的那样。最好检查天气IND> = 0是否。
void addVec (vector <string> &v, string word, int ind)
{
int size = v.size();
if (ind < 0 || ind >= size)
cout << "Invalid adding at index " << ind << endl;
else
{
v.insert(v.begin()+ind, word);
}
}
void remVec (vector <string> &v, int ind)
{
int size = v.size();
if (ind < 0 || ind >= size)
cout << "Invalid removing at index " << ind << endl;
else
{
v.erase(v.begin() + ind);
}
}