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魔术使用。

希望这就是您所期待的,因为您的问题并不是很清楚。

注意:或者,您teststatic_visitor.

于 2012-11-27T18:06:16.160 回答