我对C ++和编程很新。为了练习,我做了一个类似于mergesort的排序算法。然后我试着让它成为多线程的。
std::future<T*> first = std::async(std::launch::async, &mergesort, temp1, temp1size);
std::future<T*> second = std::async(std::launch::async, &mergesort, temp2, temp2size);
temp1 = first.get();
temp2 = second.get();
但似乎我的编译器无法决定使用哪个模板,因为我得到了两次相同的错误。
Error 1 error C2783: 'std::future<result_of<enable_if<std::_Is_launch_type<_Fty>::value,_Fty>::type(_ArgTypes...)>::type> std::async(_Policy_type,_Fty &&,_ArgTypes &&...)' : could not deduce template argument for '_Fty'
Error 2 error C2784: 'std::future<result_of<enable_if<!std::_Is_launch_type<decay<_Ty>::type>::value,_Fty>::type(_ArgTypes...)>::type> std::async(_Fty &&,_ArgTypes &&...)' : could not deduce template argument for '_Fty &&' from 'std::launch'
错误让我相信std :: async被两个不同的模板重载,一个用于指定策略,一个用于未指定的模板,编译器无法选择正确的模板(我使用的是Visual Studio Express 2013) )。那么我该如何向编译器指定合适的模板呢? (执行std::future<T*> second = std::async<std::launch::async>(&mergesort, temp2, temp2size);
似乎不起作用,我得到无效的模板参数,类型预期)。还有更好的方法可以一起做到这一点吗?
谢谢!
答案 0 :(得分:0)
您需要为mergesort
指定模板参数。 Async不够聪明,无法自行解决问题。基于迭代器的示例如下所示。它还使用当前活动线程作为递归点,而不是刻录等待其他两个线程的线程句柄。
我警告你,有更好的方法可以做到这一点,但调整它可能足以满足你的需求。
#include <iostream>
#include <algorithm>
#include <vector>
#include <thread>
#include <future>
#include <random>
#include <atomic>
static std::atomic_uint_fast64_t n_threads = ATOMIC_VAR_INIT(0);
template<typename Iter>
void mergesort(Iter begin, Iter end)
{
auto len = std::distance(begin,end);
if (len <= 16*1024) // 16K segments defer to std::sort
{
std::sort(begin,end);
return;
}
Iter mid = std::next(begin,len/2);
// start lower parttion async
auto ft = std::async(std::launch::async, mergesort<Iter>, begin, mid);
++n_threads;
// use this thread for the high-parition.
mergesort(mid, end);
// wait on results, then merge in-place
ft.wait();
std::inplace_merge(begin, mid, end);
}
int main()
{
std::random_device rd;
std::mt19937 rng(rd());
std::uniform_int_distribution<> dist(1,100);
std::vector<int> data;
data.reserve(1024*1024*16);
std::generate_n(std::back_inserter(data), data.capacity(),
[&](){ return dist(rng); });
mergesort(data.begin(), data.end());
std::cout << "threads: " << n_threads << '\n';
}
<强>输出强>
threads: 1023
你必须相信我对结束向量进行了排序。不会将16MB的值转储到这个答案中。
注意:这是在Mac上使用clang 3.3编译和测试的,并且没有问题。不幸的是,我的gcc 4.7.2已经死了,因为它在共享计数中止时丢弃了cookie,但我对它所在的libstdc ++或VM没有很高的信心。