我目前正在为一个c ++课程的Set-class工作,这是vector<T>
的派生。
在某一点上,我需要实现一个名为index()
的函数,它将显然返回(如果集合包含它)这些集合中对象的索引。
在编写整个课程时,我已经到了需要重载这些index()
方法的地方,这两个方法都是公开的。
所以这是我的两种方法:
1。有3个参数:
size_t index ( T const& x,size_t const& l, size_t const& r) const
{
if(l > size()||r>size())
throw("Menge::index(): index out of range.");
//cut the interval
size_t m = (l+r)/2;
// x was found
if( x == (*this)[m])
return m;
// x can't be found
if( l==m)
return NPOS;
//rekursive part
if( x < (*this)[m])
return index(l,m,x);
return index(m+1,r,x);
}
第二个有一个参数:
bool contains ( T const& elem ) const{
return index(elem, 0, size()-1)!=NPOS;
}
关键是我不想写这两种方法,如果可能的话,它可以合并为一种。我考虑过index()
方法的默认值,所以我会写一下方法头像:
size_t index (T const& x, size_t const& l=0, size_t const& r=size()-1)const;
给了我错误:
Elementfunction can't be called without a object
在考虑了这个错误之后,我尝试将其编辑成:
size_t index (T const& x, size_t const& l=0, size_t const& r=this->size()-1)const;
但这给了我错误:You're not allowed to call >>this<< in that context.
也许我错过了一件事,但如果你们中的任何人都可以告诉我是否可以将方法称为默认参数,请告诉我。
答案 0 :(得分:1)
在定义默认参数时,您无法使用this
。
默认参数source中不允许使用this指针。
通常的方法是实现这一目的是提供一个参数较少的重载,这相当于你避免的初始情况。
size_t index ( T const& x,size_t const& l, size_t const& r) const;
size_t index ( T const& x ) const {
index( x, 0, size() - 1 );
}
或者,您可以考虑将幻数分配为默认参数,您可以在实现中对其进行测试。
#include <limits>
constexpr size_t magic_number = std::numeric_limits<size_t>::max();
size_t index ( T const & x, size_t l = 0, size_t r = magic_number) const
{
if(r == magic_number) {
r = size() - 1;
}
// Actual implementation
}