我可以在C中创建匿名类并捕获像Java中的外部变量吗?
作者:互联网
在Java中,当我需要一个回调函数时,我必须实现一个匿名类.在匿名类中,如果它们是最终的,我可以访问外部变量.
现在我在C中做同样的事情.我知道C lambda工作得更好但有时候我需要传递许多函数,其中有匿名类,我只需要传入一个实例.
我尝试了以下示例.它适用于GCC 4.3.4.
class IA {
public:
virtual int f(int x) = 0;
};
int main() {
class : public IA {
int f(int x) { return x + 1; }
} a;
doFancyWork(&a);
return 0;
}
有可能像这样捕获外部变量吗?
int main() {
int y = 100; // mark y as final if possible
class : public IA {
int f(int x) { return x + y; }
} a;
return 0;
}
更新:
第二个例子不会编译.错误在这里,
prog.cpp: In member function ‘virtual int main()::<anonymous class>::f(int)’:
prog.cpp:9: error: use of ‘auto’ variable from containing function
prog.cpp:7: error: ‘int y’ declared here
prog.cpp: In function ‘int main()’:
prog.cpp:7: warning: unused variable ‘y’
更新:
我刚刚意识到这样做的一些问题:
>我无法编写构造函数,因为该类没有名称
>初始化列表不允许继承.
>任何使其编译的更改都会使代码无法读取.
我想我必须离开匿名课程.
解决方法:
无法自动捕获这些变量,但您可以使用其他方法.如果您想通过引用捕获:
int main() {
int y = 100; // mark y as final if possible
class IB : public IA {
public:
IB(int& y) : _y(y) {}
int f(int x) { return x + _y; }
private:
int& _y;
} a (y);
return 0;
}
如果你想按值捕获,只需改变int&进入int.
无论如何,你可以考虑使用lambdas元组作为“多回调”对象,如果这是困扰你的个别lambdas.您仍然可以将所有内容打包在一个对象中,并且可以免费进行捕获.
举个例子:
auto callbacks = make_tuple(
[] (int x) { cout << x << endl; },
[&] () { cout << y << endl; }, // y is captured by reference
[=] (int x) { cout << x + y << endl; }, // y is captured by value
// other lambdas here, if you want...
);
标签:c,c11,lambda,anonymous-class 来源: https://codeday.me/bug/20191003/1851013.html