std::thread可以和任何可调用类型一起工作,可调用对象和函数带有参数时,可以简单地将参数传递给std::thread的构造函数
例如:
#include<iostream>
#include<thread>
using namespace std;
void hello(int a)
{
cout<<a<<endl;
} int mian()
{
int a=;
thread t(hello,a);
t.join();
}
单重要的是,参数会以默认的方式复制到内存空间,即内存中存储的是参数的副本,在那里新创建的线程可以访问他们,而不是访问源参数
这就会带来一个问题,即当调用的函数参数为引用类型时,参数的值在函数体内改变时,希望源数据的值也发生改变,但实际情况是源数据值并不会发生。因为将data传递给线程的构造函数时,线程访问的是其在内存中的副本copydata,传递到可调用函数中的也是对这个副本的引用©data,那么函数体内对实参的改变也只是对内存中的副本进行了改变,而data并没有发生改变。当线程完成时,随着所提供参数副本的销毁,这些改变都将舍弃。
例如:
#incldue<iostream>
#include<thread>
using namespace std;
void hello(int &a)
{
a+=;
} int main()
{
int a=;
thread t(hello,a);
t.join();
cout<<a<<endl; //结果为10,而不是11
}
解决方法:用std::ref来包装引用类型的参数
#incldue<iostream>
#include<thread>
using namespace std;
void hello(int &a)
{
a+=;
} int main()
{
int a=;
thread t(hello,ref(a));
t.join();
cout<<a<<endl; //结果为11
}