0

我想做的伪代码是:

function<bool(int)> getFunc(type) // get a function depending on what type is passed

问题是返回的函数必须声明为静态的吗?结果,我无法访问对象属性。所以我需要将它们传递给函数?因此,要返回的原始函数可能如下所示:

bool func1(int)
bool func2(int)

现在需要注入它需要运行的其他对象/参数...

bool func1(int, Class1)
bool func2(int, Class2)

那么如何定义返回类型getFunc呢?或者也许有更好的方法?

更新

在上面,func*函数实际上是:has*(). 例如。

hasStmtsUsing(variable)
hasVariablesUsed(stmt)

为了确定条件是否为真,它使用一个对象,例如。uses. 然后还有其他类似的has*()功能hasStmtsModifying(variable),例如使用 object modifiesusesandmodifies是不同类型的对象,本来就是对象成员,所以不需要传入。现在既然是函数static,就需要传入。

在写这篇文章时,我在想我需要的是某种依赖注入器?也许我传入DI并调用DI.getX()函数?

4

2 回答 2

1

也许我误解了一些东西,但是在 bind() 第一个参数的地方,你不需要使用一个成员函数吗?

class X {
    bool f1(int);
    bool f2(int);
};

X x;
function<bool(int)> f = bind(&X::f1, &x);
于 2013-03-30T05:56:29.363 回答
0

下面是如何在 C++11 中使用 lambda 实现的示例:

#include <cassert>
#include <functional>
#include <iostream>

struct Class1 {
};

struct Class2 {
};

bool func1(int,Class1)
{
  return true;
}

bool func2(int,Class2)
{
  return false;
}

inline std::function<bool(int)> getFunc(Class1 obj1)
{
  return [=](int x){ return func1(x,obj1); };
}

inline std::function<bool(int)> getFunc(Class2 obj2)
{
  return [=](int x){ return func2(x,obj2); };
}

int main(int,char**)
{
  Class1 obj1;
  std::function<bool(int)> f1 = getFunc(obj1);
  Class2 obj2;
  std::function<bool(int)> f2 = getFunc(obj2);
  assert(f1(0)==true);
  assert(f2(0)==false);
  return 0;
}
于 2013-03-30T05:03:54.080 回答