模板和函数指针

时间:2015-06-23 08:55:26

标签: c++ templates function-pointers

是否有可能在不使整个类成为模板的情况下从模板存储类?

任务:

我有两个功能,v1没有参数,v2带参数, 如果某个地方调用了v1,那么Use()就不会发生任何事情,如果在某处调用了v2,那么Use()应该用我从DoSometh(T *)获得的实例执行一个function_ptr。

e.g。

    class MyClass
    {
      //v1 no parameters
      void DoSomething()
      {
      }

      //v2 with parameter
      template<class T>
      void DoSomething(T* instance, void (T::*func)())
      {
        store somewhere?? = instance;
      }

      void Use()
      {
        //if DoSometh(T* instance) was used before
        if(instance != NULL)
        {
            (*instance->)//call function pointer from DoSomething(T*,void  (T::*)())
        }
      }
    }

std::function problem
update:


class Timer : public ITickable
{
  std::function<void()> test; //adding this does weird things

  virtual void Tick() {}
}

class MyClass
{
   ITickable* tickable_; 

void Tick()
{
    tickable_->Tick(); //let's assume it points to a Timer obj.
}


}

1 个答案:

答案 0 :(得分:1)

我认为std::functionstd::bind(C ++ 11)可以完成你想要的,正如评论中已经建议的那样。 Timer类的简化模型可以是:

class Timer
{
    std::function<void()> m_task;

public:
    template <typename T>
    void setTask(T &instance, void (T::*fcn)()) // consider T const & if applicable
    {
        m_task = std::bind(fcn, &instance);
    }

    void fire()
    {
        if (m_task) // std::function overloads operator bool()                                                                          
            m_task();
    }
};

当使用对象和可在此对象上调用的成员函数调用setTask时,会创建std::function对象(当然,您可以选择在构造函数中执行此操作)。当计时器触发时,将检查此对象(使用operator bool()提供的std::function),如果它是可调用的(例如,之前已调用setTask()时),则调用该函数。

例如:

class MyClass
{
public:
    void func()
    {
        std::cout << "Hi from MyClass\n";
    }
};

class MyOtherClass
{
public:
    void func()
    {
        std::cout << "Hi from MyOtherClass\n";
    }
};


int main(int argc, char **argv)
{
    MyClass x1;
    MyOtherClass x2;

    Timer t1, t2;
    t1.setTask(x1, &MyClass::func);
    t2.setTask(x2, &MyOtherClass::func);

    t1.fire();
    t2.fire();
}