简体   繁体   English

在std :: bind中使用std :: thread和std :: function以及带有参数和非空返回值的函数

[英]Using std::thread and std::function from a std::bind with a function with arguments and a non-void return

Let's say we have a function odd which is a bool(int) function. 假设我们有一个odd的函数,它是一个bool(int)函数。 I'd like to execute this function in parallel but with different parameter (differ numbers). 我想并行执行此函数,但要使用不同的参数(不同的数字)。

bool odd(int i) { return (((i&1)==1)?true:false); }

Here's the code I'm trying to use (which works but has a wart). 这是我要使用的代码(可以工作但有疣)。

std::size_t num = 256;
std::vector<bool> results(num);
std::vector<std::function<bool(int)>> funcs(num);
std::vector<std::packaged_task<bool(int)>> tasks(num);
std::vector<std::future<bool>> futures(num);
std::vector<std::thread> threads(num);
for (std::size_t i = 0; i < num; i++) {
    results[i] = false;
    funcs[i] = std::bind(odd, static_cast<int>(i));
    tasks[i] = std::packaged_task<bool(int)>(funcs[i]);
    futures[i] = tasks[i].get_future();
    threads[i] = std::thread(std::move(tasks[i]),0); // args ignored
}
for (std::size_t i = 0; i < num; i++) {
    results[i] = futures[i].get();
    threads[i].join();
}
for (std::size_t i = 0; i < num; i++) {
    printf("odd(%d)=%s\n", i, (results[i]?"true":"false"));
}

I'd like to get rid of the arguments to the thread creation, as they are dependent on the argument types of the function bool(int) . 我想摆脱线程创建的参数,因为它们取决于函数bool(int)的参数类型。 I'd like to make a function template of this code and be able to make a massive parallel function executor. 我想制作此代码的功能模板,并能够制作大量的并行函数执行器。

template <typename _returnType, typename ..._argTypes>
void exec_and_collect(std::vector<_returnType>& results,
                      std::vector<std::function<_returnType(_argTypes...)>> funcs) {
    std::size_t numTasks = (funcs.size() > results.size() ? results.size() : funcs.size());
    std::vector<std::packaged_task<_returnType(_argTypes...)>> tasks(numTasks);
    std::vector<std::future<_returnType>> futures(numTasks);
    std::vector<std::thread> threads(numTasks);
    for (std::size_t h = 0; h < numTasks; h++) {
        tasks[h] = std::packaged_task<_returnType(_argTypes...)>(funcs[h]);
        futures[h] = tasks[h].get_future();
        threads[h] = std::thread(std::move(tasks[h]), 0); // zero is a wart
    }
    // threads are now running, collect results
    for (std::size_t h = 0; h < numTasks; h++) {
        results[h] = futures[h].get();
        threads[h].join();
    }
}

Then called like this: 然后这样调用:

std::size_t num = 8;
std::vector<bool> results(num);
std::vector<std::function<bool(int)>> funcs(num);
for (std::size_t i = 0; i < num; i++) {
    funcs[i] = std::bind(odd, static_cast<int>(i));
}
exec_and_collect<bool,int>(results, funcs);

I'd to remove the zero in the std::thread(std::move(task), 0); 我想在std::thread(std::move(task), 0);删除零std::thread(std::move(task), 0); line since it's completely ignored by the thread. 行,因为它被线程完全忽略了。 If I do completely remove it, the compiler can't find the arguments to pass to the thread create and it fails. 如果我将其完全删除,则编译器将找不到要传递给create线程的参数,并且它将失败。

You could just not be micromanaging/control freak in the generic code. 您可能无法在通用代码中进行微管理/控制。 Just take any task returntype() and let the caller handle the binding of arguments: 只需执行任何任务returntype()然后让调用方处理参数的绑定即可:

Live On Coliru 生活在Coliru

#include <thread>
#include <future>
#include <iostream>
#include <vector>
#include <functional>

bool odd(int i) { return (((i&1)==1)?true:false); }

template <typename _returnType>
void exec_and_collect(std::vector<_returnType>& results,
                      std::vector<std::function<_returnType()>> funcs
                    ) {
    std::size_t numTasks = std::min(funcs.size(), results.size());

    std::vector<std::packaged_task<_returnType()>> tasks(numTasks);
    std::vector<std::future<_returnType>> futures(numTasks);

    std::vector<std::thread> threads(numTasks);

    for (std::size_t h = 0; h < numTasks; h++) {
        tasks[h] = std::packaged_task<_returnType()>(funcs[h]);
        futures[h] = tasks[h].get_future();
        threads[h] = std::thread(std::move(tasks[h]));
    }

    // threads are now running, collect results
    for (std::size_t h = 0; h < numTasks; h++) {
        results[h] = futures[h].get();
        threads[h].join();
    }
}

int main() {
    std::size_t num = 8;
    std::vector<bool> results(num);
    std::vector<std::function<bool()>> funcs(num);

    for (std::size_t i = 0; i < num; i++) {
        funcs[i] = std::bind(odd, static_cast<int>(i));
    }
    exec_and_collect<bool>(results, funcs);
}

Note this is a quick job, I've seen quite a few things that are overly specific here still. 请注意,这是一项快速的工作,我已经在这里看到了很多过于具体的内容。

  • In particular all the temporary collections are just paper weight (you even move each tasks[h] out of the vector even before moving to the next task, so why keep a vector of dead bits?) 特别是所有临时集合都只是纸张重量(甚至在移至下一个任务之前,您甚至将每个tasks[h]移出了向量,所以为什么要保留一个死角向量?)
  • There's no scheduling at all; 根本没有调度; you just create new threads willy nilly. 您只需创建新线程willy nilly。 That's not gonna scale (also, you want pluggable pooling models; see the Executor specifications and Boost Async's implementation of these) 那不会扩展(同样,您需要可插入的池模型;请参阅Executor规范和Boost Async的实现)

UPDATE UPDATE

A somewhat more cleaned up version that demonstrates what unneeded dependencies can be shed: 一个稍微更清理的版本,演示了可以摆脱哪些不必要的依赖关系:

  • no temporary vectors of packaged tasks/threads 没有打包任务/线程的临时向量
  • no assumption/requirement to have std::function<> wrapped tasks (this removes dynamic allocations and virtual dispatch internally in the implementation) 没有假设/要求具有std::function<>包装的任务(这在实现中内部删除了动态分配和虚拟分派)
  • no requirement that the results must be in a vector (in fact, you can collect them anywhere you want using a custom output iterator) 不需要结果必须在向量中(实际上,您可以使用自定义输出迭代器将其收集到任何位置)
  • move-awareness (this is arguably a "complicated" part of the code seeing that there is no std::move_transform , so go the extra mile using std::make_move_iterator 移动意识(可以说这是代码的“复杂”部分,因为它没有std::move_transform ,因此请使用std::make_move_iterator

Live On Coliru 生活在Coliru

#include <thread>
#include <future>
#include <iostream>
#include <vector>
#include <algorithm>

#include <boost/range.hpp>

bool odd(int i) { return (((i&1)==1)?true:false); }

template <typename Range, typename OutIt>
void exec_and_collect(OutIt results, Range&& tasks) {
    using namespace std;
    using T = typename boost::range_value<Range>::type;
    using R = decltype(declval<T>()());

    auto tb = std::make_move_iterator(boost::begin(tasks)),
         te = std::make_move_iterator(boost::end(tasks));

    vector<future<R>> futures;

    transform(
            tb, te,
            back_inserter(futures), [](auto&& t) {
                std::packaged_task<R()> task(std::forward<decltype(t)>(t));
                auto future = task.get_future();
                thread(std::move(task)).detach();
                return future;
            });

    // threads are now running, collect results
    transform(begin(futures), end(futures), results, [](auto& fut) { return fut.get(); });
}

#include <boost/range/irange.hpp>
#include <boost/range/adaptors.hpp>

using namespace boost::adaptors;

int main() {
    std::vector<bool> results;
    exec_and_collect(
            std::back_inserter(results), 
            boost::irange(0, 8) | transformed([](int i) { return [i] { return odd(i); }; })
        );

    std::copy(results.begin(), results.end(), std::ostream_iterator<bool>(std::cout << std::boolalpha, "; "));
}

Output 产量

false; false; false; false; false; false; false; false;

Note that you could indeed write 请注意,您确实可以写

    exec_and_collect(
            std::ostream_iterator<bool>(std::cout << std::boolalpha, "; "), 
            boost::irange(0, 8) | transformed([](int i) { return [i] { return odd(i); }; })
        );

and do without any results container :) 并没有任何results容器:)

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM