TBB parallel_for编译错误

TBB parallel_for compile error

本文关键字:编译 错误 for parallel TBB      更新时间:2023-10-16

我想使用TBB parallel_form,因为我的代码中有这个来测试

#include <tbb/parallel_for.h>
#include <tbb/blocked_range.h>
#include <tbb/tbb.h>
std::vector<std::tuple<std::string, unsigned int, std::string>> commands;
auto n = commands.size();
tbb::parallel_for(0, n, [&](int i) {
    const auto &tuple = commands[i];
} );

我的编译行是:

g++ -std=c++11 -Wall -Wextra -g -Og TextMiningApp.cpp -ltbb -o TextMiningApp

我的编译器错误是:

TextMiningApp.cpp: In function ‘int main(int, char**)’:
TextMiningApp.cpp:184:7: error: no matching function for call to ‘parallel_for(int, long unsigned int&, main(int, char**)::<lambda(int)>)’
     } );
       ^
In file included from TextMiningApp.cpp:15:0:
/usr/include/tbb/parallel_for.h:185:6: note: candidate: template<class Range, class Body> void tbb::parallel_for(const Range&, const Body&)
 void parallel_for( const Range& 
      ^

你有解决这个问题的办法吗?

代码的问题是0的类型为int,而n的类型为std::size_t。存在不匹配,您需要进行转换。解决方案如下:

tbb::parallel_for(static_cast<std::size_t>(0), n, [&](std::size_t i)) {
    // other code    
}

另一种解决方案是使用tbb::blocked_range<T>来指定范围,即tbb::parallel_for的另一个过载。

tbb::parallel_for(tbb::blocked_range<std::size_t>(0, n),
    [&](const tbb::blocked_range<std::size_t> &range) {
        for (auto i = range.begin(); i != range.end(); ++i)
            const auto &tuple = commands[i];
    } );

显然,第一个解决方案更简洁。然而,第二个更灵活。因为对于第一个,您只能指定循环体,而对于第二个,您可以在循环体之外执行更多操作。