编辑: 我正在尝试学习如何在c ++中使用线程。我的代码有问题,它给我以下错误:
no matching function for call to 'std::thread::_Invoker<std::tuple<void (matrix_product<int, 0, 0>::*)(matrix_wrap<int>&, int, const matrix_wrap<int>&, const matrix_wrap<int>&), matrix_wrap<int>, int, matrix_wrap<int>, matrix_wrap<int> > >::_M_invoke(std::thread::_Invoker<std::tuple<void (matrix_product<int, 0, 0>::*)(matrix_wrap<int>&, int, const matrix_wrap<int>&, const matrix_wrap<int>&), matrix_wrap<int>, int, matrix_wrap<int>, matrix_wrap<int> > >::_Indices)'
operator()()
这是一段给我错误的代码(在我编写此代码之前它已经起作用了):
void do_multiply_fico(matrix_wrap<T> result, matrix_wrap<T> lhs, matrix_wrap<T> rhs) {
// Create an array of threads
std::thread threads[lhs.get_height()];
for (int i = 0; i < lhs.get_height(); ++i) {
// Initialize each thread with the function responsible of multiplying only a part of the matrices
threads[i] = std::thread(multiply_threading, result, i, lhs, rhs);
}
for (int i = 0; i < lhs.get_height(); ++i) {
// Wait until each thead has finished
threads[i].join();
}
}
void multiply_threading(matrix_wrap<T>& result, const int thread_number, const matrix_wrap<T>& lhs, const matrix_wrap<T>& rhs){
const unsigned height = result.get_height();
const unsigned width = result.get_width();
const unsigned span = lhs.get_width();
assert(span==rhs.get_height());
for (unsigned i=0; i!=height; ++i) {
for (unsigned j = 0; j != width; ++j) {
for (unsigned k = 0; k != span; ++k) {
result(i, j) += lhs(i, k) * rhs(k, j);
}
}
}
}
提前感谢您的帮助。
答案 0 :(得分:2)
似乎您正在尝试从成员函数构造std::thread
。那是行不通的:您需要一个实例来调用它。
您还有一个更严重的问题,因为默认情况下,引用参数将作为值类型传递给thread
构造函数。您需要将它们包装在std::ref
中才能进行编译并展现出预期的行为。
不过,更简单的方法是将lambda传递给std::thread
:
threads[i] = std::thread([this, &result, i, &lhs, &rhs](){
multiply_threading(result, i, lhs, rhs);
});
这样,参数的包装是通过lambda捕获完成的,而不是通过std::thread
的变幻莫测的。 (在某些情况下,引用捕获可能是不安全的,但是由于您将所有内容都连接到同一函数中,因此不必担心。)请注意,i
是按值捕获的,因为您将在以后的迭代中更改其值,并需要已经创建的线程来捕获创建它们时所具有的值。