已经有大量的样本/代码显示了如何将函数作为回调函数传递给C ++ 11中的函数参数。然后回调被调用到一个单独的函数而不是它的原始调用函数。
假设我在 Objective-C
中有以下示例代码- (void)calculateSizeWithCompletionBlock:(IPVWebImageCalculateSizeBlock)completionBlock {
dispatch_async(self.ioQueue, ^{
NSUInteger fileCount = 0;
NSUInteger totalSize = 0;
// Doing some time consuming task, that plays with some local(on this function scope) vars
if (completionBlock) {
dispatch_async(dispatch_get_main_queue(), ^{
completionBlock(fileCount, totalSize);
});
}
});
}
- (void)doSomething {
NSUInteger var1 = 0;
NSUInteger var2 = 0;
[self calculateSizeWithCompletionBlock:^(NSUInteger fileCount, NSUInteger totalSize) {
// Here, do things with fileCount, totalSize, var1, var2
NSLog(@"fileCount: %lu, totalSize: %lu, var1: %lu, var2: %lu",(unsigned long)fileCount, (unsigned long)totalSize, (unsigned long)var1, (unsigned long)var2);
}];
}
直接的问题是如何在 C ++ 11 中重写上述代码? 我的回调将被调用到调用者函数中,以便它使用调用函数本地变量。我知道C ++ 11的 Lambda,std :: function,std :: bind ,但不知道如何实现。
任何帮助都将不胜感激。
答案 0 :(得分:2)
thread_pool& get_threadpool();
void run_on_ui_thread( std::function<void()> );
std::future<void> calculateSizeWithCompletionBlock(
std::function<void(int fileCount, int totalSize)> completion
) {
get_threadpool.queue(
[completion]{
int fileCount = 0;
int totalSize = 0;
// Doing some time consuming task, that plays with some local(on this function scope) vars
if (completion) {
RunOnUIThread( [fileCount, totalSize, completion]{
completion(fileCount, totalSize);
});
}
}
);
}
void doSomething() {
int var1 = 0;
int var2 = 0;
calculateSizeWithCompletionBlock(
[var1, var2](int fileCount, int totalSize) {
// Here, do things with fileCount, totalSize, var1, var2
std::cout <<
"fileCount: " << fileCount <<
", totalSize: " << totalSize <<
", var1: " << var1 <<
", var2: " << var2 << "\n";
}
);
}
这相当于你的代码。
我不包含run_on_ui_thread
和get_threadpool
,因为两者都取决于您的C ++程序运行的上下文。
这是我使用thread_pool
的唯一方法:
struct thread_pool {
std::future<void> queue( std::function<void()> );
};
基本上,它是类似函数的东西,并返回一个对象,让你等待该任务的完成。
与Objective-C不同,C ++在大量不同的环境中运行。操作系统或其运行的任何其他环境的服务不是固定的。
例如,没有假设所有C ++代码都在交互式UI消息提供环境中运行。 run_on_ui_thread
隐含地假设,并且必须考虑到特定的ui-thread-pump库。
在使用move-into-lambda的C ++ 14中,上面的一些代码可以略微提高效率。特别是,
RunOnUIThread( [fileCount, totalSize, completion=std::move(completion)]{
completion(fileCount, totalSize);
});
与calculateSizeWithCompletionBlock
一样,我们不知道要复制completion
的费用。在C ++中,您可以按值访问对象,因此有时您必须明确地移动事物。从正面来看,与Objective-C相比,这会减少您必须进行的分配数量。