尝试使用std :: thread时发生编译器错误

时间:2019-02-26 15:18:44

标签: c++ multithreading

当我尝试使用std :: thread执行函数时遇到编译器错误。该错误表明:“错误C2672:'std :: invoke':未找到匹配的重载函数”。

这是一个代码段:

void GetMinMax_X(const std::vector<Vertex>& iAllVertices, double & oMin_X, 
double & oMax_X)
{
    auto MinMax_X = std::minmax_element(iAllVertices.begin(), 
iAllVertices.end(), [](const Vertex& i, const Vertex& j)
    {
        return i.GetX() < j.GetX();
    });
    oMin_X = MinMax_X.first->GetX();
    oMax_X = MinMax_X.second->GetX();
}

int main()
{
    std::vector<Vertex>;
    // Some functions to fill the Vertex vector......

    double Min_X = 0;
    double Max_X = 0;
    std::thread first (GetMinMax_X, AllVertices, Min_X, Max_X);
    first.join();

    return 0;
}

谢谢!

1 个答案:

答案 0 :(得分:4)

出现错误是因为std::thread在后​​台使用std::invoke来调用GetMinMax_X,但参数已被复制/移动。特别是,您cannot使用

void GetMinMax_X(const std::vector<int>& iAllVertices, double & oMin_X, double & oMax_X)

因为您将形成对副本的引用,而这并不是您想要的。

could still use

void GetMinMax_X(const std::vector<int>& iAllVertices, const double & oMin_X, const double & oMax_X)

但这不会帮助您将值返回到主线程中。

解决方案是使用std::ref

std::thread first(GetMinMax_X, AllVertices, std::ref(Min_X), std::ref(Max_X));

https://godbolt.org/z/ClK3Cb

另请参阅关于std::thread的cppreference怎么说(描述了此“限制”和解决方法):

  

https://en.cppreference.com/w/cpp/thread/thread/thread

     

线程函数的参数按值移动或复制。如果需要将引用参数传递给线程函数,则必须将其包装(例如,使用std :: ref或std :: cref)。

     

该函数的任何返回值都将被忽略。如果函数抛出异常,则调用std :: terminate。为了将返回值或异常传递回调用线程,可以使用std :: promise或std :: async。