What is std::invoke in c++? [closed]

拟墨画扇 提交于 2019-12-18 11:22:21

问题


I've just been reading about std::thread and std::bind which I've faced with the Callable concept and std::invoke.

I read about std::invoke on cppreference but I didn't understand what it said. Here is my question:
What is std::invoke, std::function, std::bind and the Callable concept? And what is relationship between them?


回答1:


std::invoke takes something callable, and arguments to call it with, and does the call. std::invoke( f, args... ) is a slight generalization of typing f(args...) that also handles a few additional cases.

Something callable includes a function pointer or reference, a member function pointer, an object with an operator(), or a pointer to member data.

In the member cases, the first argument is interpreted as the this. Then remaining arguments are passed to () (except in the pointer-to-member-data-case).

INVOKE was a concept in the C++ standard; C++17 simply exposed a std::invoke which does it directly. I suspect it was exposed partly because it is useful when doing other metaprogramming, partly because every standard library has an implementation of INVOKE in it already and exposing it was basically free, and partly because it makes talking about INVOKE easier when it is a concrete thing.




回答2:


A Callable object is, apart from C++-specific details, "something that can be called". It need not be a function: C++ has a number of types that can be called, and going through them every time where any could show up (read: generic code) is problematic and too repetitive.

That's what std::invoke is for - it allows a generic object that can be called (which, according to C++17, satisfies the Callable concept) to be invoked effortlessly.

Let's consider a simple example:

void foo() { std::cout << "hello world\n"; };

template <bool b>
struct optionally_callable
{
        std::enable_if_t<b> operator() ()  {   std::cout << "hi again\n";   }
};

int main()
{
    auto c = [] { std::cout << "hi from lambda\n" ;};

    std::invoke(foo);
    std::invoke(c);

    auto o = optionally_callable<true>{};
    //auto o2 = optionally_callable<false>{};

    std::invoke(o);

}

o2 is not callable, that is, std::is_invocable<decltype(o2)>::value is false.



来源:https://stackoverflow.com/questions/43680182/what-is-stdinvoke-in-c

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!