1. ホーム
  2. c++

[解決済み] オーバーロードされた関数へのポインタはどのように指定するのですか?

2022-05-09 06:30:27

質問

オーバーロードされた関数を std::for_each() アルゴリズムを使用します。例えば

class A {
    void f(char c);
    void f(int i);

    void scan(const std::string& s) {
        std::for_each(s.begin(), s.end(), f);
    }
};

コンパイラは f() をイテレータ型に変換してください。どうやら(GCC 4.1.2)はそれをやらないようです。では、どのようにすれば f() 欲しいのですが?

解決方法は?

を使用することができます。 static_cast<>() を指定することで、どの f を、関数ポインタの型が意味する関数シグネチャに従って使用します。

// Uses the void f(char c); overload
std::for_each(s.begin(), s.end(), static_cast<void (*)(char)>(&f));
// Uses the void f(int i); overload
std::for_each(s.begin(), s.end(), static_cast<void (*)(int)>(&f)); 

あるいは、こんなこともできます。

// The compiler will figure out which f to use according to
// the function pointer declaration.
void (*fpc)(char) = &f;
std::for_each(s.begin(), s.end(), fpc); // Uses the void f(char c); overload
void (*fpi)(int) = &f;
std::for_each(s.begin(), s.end(), fpi); // Uses the void f(int i); overload

もし f がメンバー関数である場合は mem_fun または、あなたの場合は このDobb博士の論文で紹介されている解決法 .