我正在虚拟机上学习一些线程编程。未按预期执行的代码如下:
#include <iostream>
#include <thread>
using namespace std;
void function01() {
for (int i=0; i<100; i++) {
std::cout << "from t1:" << i << std::endl;
}
}
int main() {
// data race and mutex
std::thread t1( function01 );
for (int i=0; i<100; i++) {
std::cout << "from main:" << i << std::endl;
}
t1.join();
return 0;
}
这些代码应该在std输出上进行数据竞争。但是当我用
编译它时:!g++ -std=c++11 -pthread ./foo.cpp
并且正在运行,每次我得到一个结果,其中100次“t1”跟随100次“主”。令我困惑的是,当我在另一个安装在旧笔记本电脑上的ubuntu14.04上做同样的事情时,代码按照我的预期执行。这意味着数据竞争会遇到此代码。
我对vmware知之甚少。是否管理了在vmware上运行的线程,并且不会遇到数据竞争?
-------------第二次编辑-----------------------
谢谢大家。
core的数量可能是主要原因。在将vm核心数量设置为多个之后,我得到了预期的结果。
答案 0 :(得分:2)
您的新机器可能比旧机器快得多。因此,在function01
进入自己的循环之前,它能够完成main
的执行。
或者它只有一个CPU,因此它一次只能执行一个例程。而且因为你的循环需要很少的计算量,所以CPU可以在操作系统给它的一段时间内完成。
确保您的VM分配了多个CPU。并尝试让你的循环中的每一步“更重”。
double accumulator = 0;
for (int i=0; i<100; i++) {
for (int j=1; j<1000*1000; j++)
accumulator += std::rand();
std::cout << "from t1:" << i << std::endl;
}
答案 1 :(得分:1)
我认为问题出在time slice上。您可以通过在代码中引入一些延迟来自行验证。例如:
#include <iostream>
#include <chrono>
#include <thread>
void function01() {
for (int i=0; i<100; i++) {
std::cout << "from t1:" << i << std::endl;
std::this_thread::sleep_for(std::chrono::duration<double, std::milli>{10});
}
}
int main() {
// data race and mutex
std::thread t1( function01 );
for (int i=0; i<100; i++) {
std::cout << "from main:" << i << std::endl;
std::this_thread::sleep_for(std::chrono::duration<double, std::milli>{10});
}
t1.join();
return 0;
}