在这个程序中,我使用的是模板类,我有一个头文件,这是我的主文件。我无法显示(“ ..... ”)IndexOutOfBounds并在屏幕上显示它。
#include "XArray.h"
#include <iomanip>
#include <string>
using namespace std;
template<class T>
void afriend ( XArray<T> );
int main()
{
XArray<double> myAD(18);
myAD.randGen(15, 100);
cout << myAD.getType() << endl;
cout << setprecision(1) << fixed << "\n\n Unsorted: " << myAD;
myAD.sort();
cout << "\n Now Sorted: " << myAD;
cout << "\n\n";
**try
{
cout << "A[-5] = " << setw(6) << myAD[-5] << endl;
}
catch(XArray<double>::IndexOutOfBound e)
{
e.print();
}
try
{
cout << "A[8] = " << setw(6) << myAD[8] << endl;
}
catch(XArray<double>::IndexOutOfBound e)
{
e.print();
}**
cout << "\n\n" << setprecision(2) << fixed;
cout << "Size = " << setw(6) << myAD.getSize() << endl;
cout << "Mean = " << setw(6) << myAD.mean() << endl;
cout << "Median = " << setw(6) << myAD.median() << endl;
cout << "STD = " << setw(6) << myAD.std() << endl;
cout << "Min # = " << setw(6) << myAD.min() << endl;
cout << "Max # = " << setw(6) << myAD.max() << endl;
return 0;
}
将Array.h文件作为保管箱链接发布
Array.h中operator[]
的代码是:
template <class T>
T XArray<T>::operator[] (int idx)
{
if( (idx = 0) && (idx < size) )
{
return Array[idx];
}
else
{
throw IndexOutOfBound();
return numeric_limits<T>::epsilon();
}
}
答案 0 :(得分:1)
虽然这个问题有些模糊,但请尝试这些建议。
首先,XArray<>::IndexOutOfBounds
可能没有正确的副本。您可以尝试使用const引用来解决以下问题:
try
{
...
}
catch(const XArray<double>::IndexOutOfBound& e)
{
e.print();
}
标准库容器中的索引运算符不检查边界,有一个特殊的getter执行名为at()
的检查。如果XArray
类在设计时考虑了标准库,则其行为可能类似。
然而,要获得更充分的回应,您需要更具体地描述您遇到的麻烦。
答案 1 :(得分:1)
我仍然想知道究竟是什么问题。 但是,我理解的问题是如何使用'IndexOutOfBound'来使用'catch'。
#include <exception>
#include <iostream>
using namespace std;
template <typename T>
class Array
{
private:
int m_nLength;
T *m_ptData;
public:
...
...
T& operator[](int nIndex)
{
//assert(nIndex >= 0 && nIndex < m_nLength);
if(nIndex < 0 || nIndex > m_nLength)
{
throw myex;
}
else
{
return m_ptData[nIndex];
}
}
//class definition for 'IndexOutOfBound'
class IndexOutOfBound: public exception
{
public:
virtual const char* print() const throw()
{
return "Exception occured 'Index Out Of Bound'";
}
}myex;
};
int main()
{
Array<double> arr(3);
try
{
arr[0] = 1;
//exception will occur here.
arr[4] = 2;
}
catch(Array<double>::IndexOutOfBound &e)
{
cout << e.print() << '\n';
}
return 0;
}
这里没有'XArray.h',所以我编写了一个示例数组类。
答案 2 :(得分:0)
问题出在operator[]
函数中。代码idx = 0
将idx
设置为0
。因此,对operator[]
的所有调用都将返回第一个元素,因此除非数组为空,否则不会出现越界错误。
你可能想写if ( idx >= 0 && idx < size )
。
BTW throw
中止了该功能,return
之后throw
无效。