我找到了页面C++ thread error: no type named type,其中包含与我在下面报告的错误消息类似的错误消息。正如我所能说的那样,该页面上的答案并不涵盖这种情况。不可否认,必须有一些简单的东西,我在这里一点都不知道。
我一直在尝试在我正在使用的C ++程序中使用线程。我有一个初始版本使用boost::thread
没有任何问题。今天早上,我尝试重写我的代码,使用std::thread
代替boost::thread
。那时我突然遇到了我不理解的编译时错误。我已将问题缩减为以下代码。
结果?一旦我尝试将对我自己的用户定义类之一的引用作为函数参数传递,程序就无法编译。
#include <iostream>
#include <thread>
class TestClass { } ;
void testfunc1 ( void ) { std::cout << "Hello World TF1" << std::endl ; }
void testfunc2 ( double val ) { std::cout << "Hello World TF2" << std::endl ; }
void testfunc3 ( TestClass & tc ) { std::cout << "Hello World TF3" << std::endl ; }
int main ( int argc, char *argv[] )
{
std::thread t1 ( testfunc1 ) ;
double tv ;
std::thread t2 ( testfunc2, tv ) ;
TestClass tc ;
std::thread t3 ( testfunc3, tc ) ; // compiler generates error here
return 0 ;
}
只要我注释掉最后一行代码,代码就会编译。但是,当它出现时,我得到以下编译时错误。
$ g++ -std=c++11 test.cpp
In file included from /usr/lib/gcc/x86_64-pc-cygwin/5.4.0/include/c++/thread:39:0,
from test.cpp:3:
/usr/lib/gcc/x86_64-pc-cygwin/5.4.0/include/c++/functional: In instantiation of ‘struct std::_Bind_simple<void (*(TestClass))(TestClass&)>’:
/usr/lib/gcc/x86_64-pc-cygwin/5.4.0/include/c++/thread:142:59: required from ‘std::thread::thread(_Callable&&, _Args&& ...) [with _Callable = void (&)(TestClass&); _Args = {TestClass&}]’
test.cpp:19:33: required from here
/usr/lib/gcc/x86_64-pc-cygwin/5.4.0/include/c++/functional:1505:61: error: no type named ‘type’ in ‘class std::result_of<void (*(TestClass))(TestClass&)>’
typedef typename result_of<_Callable(_Args...)>::type result_type;
^
/usr/lib/gcc/x86_64-pc-cygwin/5.4.0/include/c++/functional:1526:9: error: no type named ‘type’ in ‘class std::result_of<void (*(TestClass))(TestClass&)>’
_M_invoke(_Index_tuple<_Indices...>)
显然存在某种与类型相关的问题,但我无法破译此错误消息。知道问题是什么吗? (我碰巧在Windows 10机器上使用Cygwin,但我认为这与所描述的问题无关。)
答案 0 :(得分:2)
这是因为std::thread
无法存储C ++引用,它与std::vector<T&>
无法存在的方式相似。因此,为了传递参考文献,标准库中有reference wrapper。它基本上是引擎盖下的指针,它模仿了一些语言方面的参考行为。 std::ref
和std::cref
(用于const引用)函数用于创建std::reference_wrapper
的对象(它们具有方便的功能,因为它们具有模板类型推导和较短的名称)。
您在代码中添加的唯一内容是std::ref
函数调用,如下所示:
TestClass tc;
std::thread t3(testfunc3, std::ref(tc));
答案 1 :(得分:1)
要传递引用,您需要使用std::ref
包装器:
std::thread t3 ( testfunc3, std::ref ( tc ) ) ;