1

特定の型を特定し、 boost::variantそれをクラスオブジェクト内のメンバー関数引数として渡すことで、次の問題を混乱させています。次のコードを検討してください

typedef boost::variant<int, string, double> Variant;

class test{ 

  void func1 (Variant V); 
  void func2 (string s); 
  void func3 ();


}; 


test::func1(Variant V){
    // How can I identify the type of V inside the body of this function? 
Or how can I call the apply_visitor inside this function.
  /*
  if(v.type() == string) 
    func2(); 
  else if(v.type() == double) 
    funct3(); 
  */
}
int test::func2(){ cout << "func3" << endl;}
int test::func3(){ cout << "func4" << endl;}
...

int main ()
{
  test t;
      Variant V = 3;
      t.func1(V); 
      V = "hello"; 
      t.func1(V);

}

クラステスト内に訪問クラス/構造(apply_visitor)を実装することを確信しました。しかし、ビジター クラスに実装されているオーバーロードされた演算子から func3(string s) という外部メンバー関数を呼び出すことで行き詰まりました。

4

1 に答える 1

3

ビジター パターンの具体化により、コンパイラに型チェックが行われます。あなたがする必要があるのは、 aが にあるときにをすべきかをコンパイラに伝えることだけです:stringVariant

( http://www.boost.org/doc/libs/1_35_0/doc/html/variant/tutorial.htmlで例を確認して ください)

struct my_dispatcher : public boost::static_visitor<> {

    test* t;
    my_dispatcher(test* t): t(t) {}

    void operator()( string s ) { t.func3(s); }
    void operator()( double d ) { t.func4(d); }
    //... for each supported type
};

を使用boost::apply_visitorして正しい機能を選択します。

int main ()
{
  test t;
  my_dispatcher dispatcher(&t);

  Variant V = 3;
  boost::apply_visitor( dispatcher, v );

  V = "hello"; 
  boost::apply_visitor( dispatcher, v );    
}

my_dispatcher(&t)は、マジックで使用される static_visitor 実装のオブジェクトを作成しますapply_visitor

あなたの質問が本当に明確ではなかったので、それがあなたが探していたものであることを願っています.

test注: または、 fromを派生させますstatic_visitor

于 2012-11-27T18:06:16.160 に答える