Converting a variadic macro to a variadic template function?

喜夏-厌秋 提交于 2019-12-08 06:54:53

问题


Given a variadic macro of the form:

#define MY_CALL_RETURN_F(FType, FId, ...) \
  if(/*prelude omitted*/) {             \
    FType f = (FType)GetFuncFomId(FId); \
    if(f) {                             \
      return f(__VA_ARGS__);            \
    } else {                            \
      throw invalid_function_id(FId);   \
    }                                   \
  }                                     \
/**/

-- how can this be rewritten to a variadic function template?

template<typename FType, typename ...Args>
/*return type?*/ tmpl_call_return_f(MyFunId const& FId, /*what goes here?*/)
{
  ...
  FType f = (FType)GetFuncFomId(FId);
  return f(/*what goes here?*/);
  ...
}

Update: I'm specifically interested in how to declare the reference type for the Args: && or const& or what?

Update: Note that FType is supposed to be a "plain" function pointer.


回答1:


It would look something like this:

template<typename FType, typename ...Args>
std::result_of<FType(Args...)>::type tmpl_call_return_f(MyFunId const& FId, Args... &&args)
{
  FType f = (FType)GetFuncFomId(FId)
  return f(std::forward<Args>(args)...);
}



回答2:


If you use std::function as FType, then this should work:

template <typename FType, typename ...Args>
typename FType::result_type tmpl_call_return_f(MyFunId const& FId, Args... args) {
  // ...
  return f(args...);
}


来源:https://stackoverflow.com/questions/7161624/converting-a-variadic-macro-to-a-variadic-template-function

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!