1

我需要为我的 c++ 程序添加以下功能:

当我运行它时,我输入我在程序中描述的某个函数的名称,然后这个函数运行。如何让它自动化?不像我现在的代码:

func1(){...}
func2(){...}
....
func50(){...}
int main(){
    string function; 
    cin>>function;
    if (function == "func1") funk1();
    if (function == "func2") func2();
    if (function == "func3") funk3();
    ....
    return 0;
}

因为我有很多功能。我可以使用哪些乐器?

4

3 回答 3

4

你不能让它完全自动化,因为 C++ 没有反射。

您可以制作的任何其他自动化基本上与您已经拥有的非常相似。

其他一些选择是:

  • 具有std::map键 astd::string和值是函数指针。
  • 多个类,其中包含函数和一个抽象工厂,它为您提供基于std::string.
于 2012-10-21T12:47:24.310 回答
0

在我看来,最简单的方法是使用std::map<std::string, std::function<...> >然后从您的函数创建一个全局地图并在地图上查找:

typedef std::function<void()> my_function;
typedef std::map<std::string, my_function> functions_map;

void test1() {...}
void test2() {...}
void test3() {...}

#ifndef _countof
#    define _countof(array)    ( sizeof(array) / sizeof(array[0]) )

std::pair<std::string, my_function> pFunctions[] = {
    std::make_pair( "test1", my_function(&test1) ),
    std::make_pair( "test2", my_function(&test2) ),
    std::make_pair( "test3", my_function(&test3) )
};
functions_map mapFunctions( pFunctions, pFunctions + _countof(pFunctions) );

void main() {
    std::string fn;
    while( std::cin >> fn ) {
        auto i = mapFunctions.find( fn );
        if( i != mapFunctions.end() )
            i->second();
        else
            std::cout << "Invalid function name" << std::endl;
    }
}
于 2012-10-21T13:04:30.710 回答
0

正如在其他解决方案中提到的,可以使用从函数名到函数指针的映射来获取函数指针。通过使用宏可以非常接近您的意图(无需手动填充地图)。最后,您的代码将类似于以下内容:

DECLARE_FUNC(f1)
{
    std::cout << "calling f1" << std::endl;
}

DECLARE_FUNC(f2)
{
    std::cout << "calling f2" << std::endl;
}

// ... more functions

int main()
{
    std::string function; 
    std::cin >> function;
    TFunc f = s_funcs[function]; // get function pointer for name
    if (f)
        f();
    // ...

为了能够做到这一点,您需要以下定义:

#include <map>
#include <string>
#include <iostream>

// the common type of all functions
typedef void (*TFunc)(void);

// a static map of name -> function
static std::map<std::string, TFunc> s_funcs;

// this class we need to statically add functions to the map
class FuncAdder
{
public:
    FuncAdder(std::string name, TFunc f)
    {
        s_funcs[name] = f;
    }
};

// finally the macro for declaring + adding + defining your function
#define DECLARE_FUNC(f) void f(); FuncAdder f##Adder(#f,f); void f()
于 2012-10-21T13:04:52.000 回答