0

std::mem_fun_refプロキシを介してメンバー関数を呼び出すために (はい、廃止されたバージョン。理由は以下) を使用しようとしています。

template<typename T>
struct proxy {
  T& operator*() { return *t; }
  T* operator->() { return t; }
  // no address of etc
  T* t;
};

struct A {void foo() {}};

int main()
{
  A a;
  proxy<A> pa = {&a};
  std::mem_fun_ref_t<void, A>
    fn = std::mem_fun_ref(&A::foo);
  fn(pa); // borks
  return 0;
}

std::mem_fnこれは C++11ではうまく機能しboost::mem_fnますが、boost::mem_fn. 使用できれば問題ありませんがdecltype、コードが C++03 と互換性がある必要があるため使用できません。

これを回避する最も簡単な方法は何ですか? カスタム mem_fun_through_proxy

編集:もう1つの注意点は、proxyクラスを変更できないことです。

4

1 に答える 1

0

Georg が推奨したように、私は独自のソリューションを実装しました。短いバージョンは次のとおりです。

// snipped solution: does not include const version and hack for void
// returns

#include <functional>

namespace mine {

template<typename Ret, typename T>
class mem_fun_ref_t : public std::unary_function<T, Ret>
{
public:
  explicit
  mem_fun_ref_t(Ret (T::*f)())
  : f(f) { }

  template<typename U>
  Ret
  operator()(U& u) const
  { return (*u.*f)(); }

  Ret
  operator()(T& t) const
  { return (t.*f)(); }

private:
  Ret (T::*f)();
};

} // mine

template<typename T>
struct proxy {
  T& operator*() { return *t; }
  T* operator->() { return t; }
  // no address of etc
  T* t;
};

struct X {
  int foo() {return 23;}
};

int main()
{
  mine::mem_fun_ref_t<int, X> fn(&X::foo);
  X x;
  // normal
  fn(x);
  proxy<X> px = {&x};
  fn(px);
  return 0;
}
于 2012-04-18T21:01:20.833 に答える