我有一个可变大小的大矢量。我想检查每个元素(在向量的特定索引范围lowerRange-upperRange内)是否满足某个条件?在下面的示例中,我的输入向量包含9个元素,我想检查2到6的元素是否满足 check_if_condition()。这里,lowerRange = 2,upperRange = 6
为此,我编写了以下并行代码来执行相同操作,但是,此代码的问题是它给出了错误:" glibc检测smallbin链表损坏"。我尝试使用 valgrind 调试代码,但我无法找到错误的确切原因。
我的实际真实世界输入向量包含10000000个元素,我想检查说999999(lowerRange)-9999999(upperRange)之间的元素(此范围由用户指定,尽管我已将此范围视为代码中的常量。索引元素满足 check_if_condition 。
#include <thread>
#include <vector>
#include <iostream>
#include <atomic>
unsigned check_if_condition(int a)
{
//Long check here
return 1;
}
void doWork(std::vector<unsigned>& input, std::vector<unsigned>& results, unsigned assigned, size_t current, size_t end, std::atomic_int& totalPassed)
{
end = std::min(end, input.size()-2);
int numPassed = 0;
for(; (current) < end; ++current) {
if(check_if_condition(input[current])) {
results[current] = true;
++numPassed;
}
}
totalPassed.fetch_add(numPassed);
}
int main()
{
std::vector<unsigned> input;//(1000000);
input.push_back(0); input.push_back(1); input.push_back(2); input.push_back(3); input.push_back(4); input.push_back(5); input.push_back(6); input.push_back(7); input.push_back(8);
std::vector<unsigned> results(input.size());
std::atomic_int numPassed(0);
auto numThreads = std::thread::hardware_concurrency();
std::vector<std::thread> threads;
unsigned assigned;
if(numThreads> input.size())
numThreads=input.size();
std::cout<<"numThreads="<<numThreads<<"\n";
auto blockSize = input.size() / numThreads;
for(size_t i = 0; i < numThreads - 1; ++i) //check whether elements from 2 to 6 satisfy check_if_condition
threads.emplace_back(doWork, std::ref(input), std::ref(results), assigned,((i+2) * blockSize), ((i+3) * blockSize), std::ref(numPassed));
for(auto& thread : threads)
thread.join();
std::vector<int> storage;
storage.reserve(numPassed.load());
auto itRes = results.begin();
auto itInput = input.begin();
auto endRes = results.end();
for(; itRes != endRes; ++itRes, ++itInput) {
if(*itRes)
storage.emplace_back(*itInput);
}
std::cout<<"\n Storage:";
for(std::vector<int>::iterator i1=storage.begin(), l1=storage.end(); i1!=l1; ++i1)
std::cout<<" "<<(*i1)<<"\n";
std::cout << "Done" << std::endl;
}
答案 0 :(得分:3)
您正在end
中检查current
但不是doWork
,因此您正在阅读上一次迭代过去的向量
for(size_t i = 0; i < numThreads - 1; ++i) //check whether elements from 2 to 6 satisfy check_if_condition
threads.emplace_back(doWork, std::ref(input), std::ref(results), assigned,((i+2) * blockSize), ((i+3) * blockSize), std::ref(numPassed));
让我们说你的向量是1000个元素大,你的线程数是8,在最后一次迭代你会得到:
i = 7;
电流=(7 + 2)* 125 = 1125;
end =(7 + 3)* 125 = 1250;
因此,要在给定子范围[rangeStart,rangeEnd]的线程之间均匀分配工作,您需要执行以下循环:
for(size_t i = 0; i < numThreads; ++i)
{
auto start = rangeStart + i * blockSize;
auto end = (i == numThreads - 1) ? rangeEnd : start + (i+1) * blockSize;
threads.emplace_back(doWork, std::ref(input), std::ref(results), assigned, start, end, std::ref(numPassed));
}
请注意,在最后一次迭代end
上直接设置为rangeEnd,以便最后一个线程可能需要做更多的工作
此外,应调整块大小:
auto blockSize = (rangeEnd - rangeStart) / numThreads;