关于 运行 io_context 在不同线程中的 C++ 编译错误

C++ Compilation error about running io_context in different thread

我正在尝试在多个线程中使用 asio::io_context。

#include <iostream>
#include <vector>
#include <asio.hpp>
#include <thread>
#include <future>
#include <functional>

int main()
{
    asio::io_context ctx;

    std::vector<std::future<asio::io_context::count_type>> tasks;
    for(int i = 0; i < 3; ++i)
    {
        tasks.push_back(std::async(std::launch::async, std::bind(&asio::io_context::run, &ctx));
    }

    for(auto &task: tasks){tasks.get();}
    return 0;
}

但是,我遇到编译错误

asio_blah.cpp: In function ‘int main()’:
asio_blah.cpp:101:94: error: no matching function for call to ‘bind(<unresolved overloaded function type>, asio::io_context*)’
         tasks.push_back(std::async(std::launch::async, std::bind(&asio::io_context::run, &ctx));

不确定为什么编译器无法确定成员函数指针(我相信成员 func 类型是 asio::io_context::count_type (asio::io_context*)() 并且函数签名应该对编译器可见,因为包含 asio.hpp)并报错unresolved overloaded function type.

有什么修复错误的建议吗?

你可以像这样使用 lambda:

#include <iostream>
#include <vector>
#include <boost/asio.hpp>
#include <thread>
#include <future>
#include <functional>

using namespace boost;

int main()
{
    asio::io_context ctx;

    std::vector<std::future<asio::io_context::count_type>> tasks;
    for(int i = 0; i < 3; ++i)
    {
        tasks.push_back(std::async(std::launch::async, [&ctx]() {
            return ctx.run();
        }));
    }

    for(auto &task: tasks){task.get();}
    return 0;
}

编辑:

正如 Miles Budnek 所说的那样,io_context::run 有多个重载。如果不通过强制转换强制进行重载解析,则无法获取指向它的指针。

如果您真的想使用 std::bind,请进行转换。

我的看法和其他人一样。去 LAMBDA!!!