struct foo {
int x;
int y;
int z;
int& operator [](const std::size_t rhs) & {
switch(rhs) {
case 0U:
return this->x;
case 1U:
return this->y;
case 2U:
return this->z;
default:
return *(&(this->z) + rhs - 2U);
}
}
};
не все операторы могут быть перегружены как свободные функции.
Не стандарт, но четко прописано в cppreference , операторы []
, =
, ->
и ()
должны быть нестатическими функциями-членами.
Если вы можете сделать wrap(f)[2]
, вы можете заставить его работать.Но на экземпляре foo
невозможно заставить его работать напрямую.
template<class T>
struct index_wrap_t {
T t;
template<class Rhs>
decltype(auto) operator[](Rhs&& rhs)& {
return operator_index( *this, std::forward<Rhs>(rhs) );
}
template<class Rhs>
decltype(auto) operator[](Rhs&& rhs)&& {
return operator_index( std::move(*this), std::forward<Rhs>(rhs) );
}
template<class Rhs>
decltype(auto) operator[](Rhs&& rhs) const& {
return operator_index( *this, std::forward<Rhs>(rhs) );
}
template<class Rhs>
decltype(auto) operator[](Rhs&& rhs) const&& {
return operator_index( std::move(*this), std::forward<Rhs>(rhs) );
}
};
template<class T>
index_wrap_t<T> index( T&& t ) { return {std::forward<T>(t)}; }
, тогда вы можете сделать это:
int& operator_index( foo& lhs, std::size_t rhs ) {
// your body goes here
}
foo f;
index(f)[1] = 2;
, и это сработает.
index_wrap_t
переадресовывает []
на бесплатный звонок operator_index
, который выполняет ADL.