4

私は実際に私の質問のタイトルが示唆することを行う方法を理解しましたが、満足のいくポータブルな方法ではありません。具体的に説明します。

これは私のコードの簡略化されたバージョンです:

#include <algorithm>
#include <functional>

class A {
public:
    int  my_val() const { return _val; };
    int& my_val() { throw "Can't do this"; };
        // My class is actually derived from a super class which has both functions, but I don't want A to be able to access this second version
private:
    int _val;
}

std::vector<int> get_int_vector(const std::vector<A*>& a) {
    std::vector<int> b;
    b.reserve(a.size());
    transform( a.begin(), a.end(), inserter( b, b.end() ),
        std::mem_fun<int, const A>(&A::my_val) );
    return b;
}

さて、私の問題は、このコードがMicrosoft Visual Studio C ++2008を搭載したWindows7で正常にコンパイルおよび動作することですが、g ++(バージョン4.1.2 20080704)を搭載したRedHatLinuxでは正常に動作しません。次のエラーが発生します。

error: call of overloaded 'mem_fun(<unresolved overloaded function type>)' is ambiguous
/usr/lib/gcc/x86_64-redhat-linux/4.1.2/../../../../include/c++/4.1.2/bits/stl_function.h:713: note: candidates are: std::mem_fun_t<_Ret, _Tp> std::mem_fun(_Ret (_Tp::*)()) [with _Ret = int, _Tp = const A]
/usr/lib/gcc/x86_64-redhat-linux/4.1.2/../../../../include/c++/4.1.2/bits/stl_function.h:718: note:                 std::const_mem_fun_t<_Ret, _Tp> std::mem_fun(_Ret (_Tp::*)()const) [with _Ret = int, _Tp = const A]

mem_fun()Linuxでは、呼び出しを次のように置き換えると、コンパイルされて正常に動作しますmem_fun( static_cast<int (A::*)() const>(&A::my_val) )。ただし、このソリューションは、最初のソリューションよりも見た目が良くありません。私がやりたいことをする別のポータブルな方法はありますか?(おそらく、これを行うための明白な簡単な方法があり、私はそれについて大騒ぎしているだけです...)

前もって感謝します。-マヌエル

4

2 に答える 2

1

あなたのことはよくわかりませんが、これは私にとってもっと喜ばしいことです。独自の関数を定義します。

template <typename S,typename T>
inline std::const_mem_fun_t<S,T> const_mem_fun(S (T::*f)() const)
{
  return std::const_mem_fun_t<S,T>(f);
}

次のように使用します。

std::vector<int> get_int_vector(const std::vector<A*>& a) {
    std::vector<int> b;
    b.reserve(a.size());
    transform( a.begin(), a.end(), inserter( b, b.end() ),
        const_mem_fun(&A::my_val) );
    return b;
}

キャストを回避する別の方法は、次のようなものです。

std::vector<int> get_int_vector(const std::vector<A*>& a) {
    std::vector<int> b;
    b.reserve(a.size());
    int& (A::*my_val)() const = &A::my_val;
    transform( a.begin(), a.end(), inserter( b, b.end() ), std::mem_fun(my_val) );
    return b;
}
于 2012-03-05T16:13:33.697 に答える
0
typedef int (A::*MethodType)() const;
const_mem_fun(MethodType(&A::my_val));

これがアイデアです。

于 2012-03-05T16:25:12.270 に答える