可扩展条件语句的机制

时间:2015-01-29 15:28:36

标签: c++ qt compile-time qt4.8 pre-compilation

我的代码中有这些行:

//lines in mycode.c++
  QString str = "...some id...";

       if( str == "int")
           foo< int>()
  else if( str == "QString")
           foo< QString>()
       ...

我需要创建一种机制来在此条件语句中包含自定义类型。所以,任何程序员都可以注册他的类和他的 foo 模板化函数的实现。

我想像这样:

//A.h -- custom class
class A { };

template< >
  void foo< A>() { ... };

DECL( A, "A"); //macro to declare class

我希望 mycode.c ++ 中的条件语句会自动接受类 A 的帐户声明,因此它会有其他行:

else if( str == "A")
    foo< A>()

我可以这样做:

//common.h
  void process_id( QString str) {
       if( str == "int")
           foo< int>()
  else if( str == "QString")
           foo< QString>()
       ...
  else if( str == "A") //this lines programmer put manually
           foo< A>();
  }

//mycode.c++
  #include "common.h"

  QString str = "some_id";

  process_id( str);

但是如果程序员忘记编辑 common.h 文件呢?

我想,也许是使用C-macros系统,或者以某种方式Qt-precompilation。有可能吗?

2 个答案:

答案 0 :(得分:3)

我只想创建一个仿函数矢量:

using ProcessFunc = std::function<bool(const QString&)>;
std::vector<ProcessFunc> ids;

void process_id(QString str) {
    for (ProcessFunc& f : ids) {
        if (f(str)) {
            break;
        }
    }

    // or...
    std::any_of(ids.begin(), ids.end(), [&](const ProcessFunc& f){
        return f(str);
    });
}

您只需提供一种方法来附加新的此类ProcessFunc

template <typename T>
void register_class(const QString& name) {
    ids.emplace_back([=](const QString& str) {
        if (str == name) {
            foo<T>();
            return true;
        }
        else {
            return false;
        }
    });
}

你的例子特别是:

register_class<int>("int");
register_class<QString>("QString");
register_class<A>("A");

我认为如果你真的想要,你可以变成一个宏。

答案 1 :(得分:3)

我会做这样的事情:

void process_id(QString const & str) 
{
   auto it =  g_actions.find(str);
   if ( it != g_actions.end() )  
         (it->second)(); //invoke action
}

支持上述内容的框架实现为:

 using action_t = std::function<void()>;

 std::map<QString, action_t>  g_actions; //map of actions!

#define VAR_NAME(x)       _ ## x
#define DEFINE_VAR(x)  VAR_NAME(x)
#define REGISTER(type) char DEFINE_VAR(__LINE__) = (g_actions[#type] = &foo<type>,0)

现在您可以将任何课程注册为:

 //these lines can be at namespace level as well!
 REGISTER(A);
 REGISTER(B);
 REGISTER(C);

然后将process_id()称为:

process_id("A"); //invoke foo<A>();
process_id("B"); //invoke foo<B>();

希望有所帮助。

请参阅this online demo