什么时候c++17 std::apply/invoke是编程所必需的?

yfwxisqw  于 2023-02-06  发布在  其他
关注(0)|答案(2)|浏览(284)

只要c++是面向对象的编程语言,我不确定std::applystd::invoke是否是必要的实用程序,它转换:

  1. Object.Function(Args...)

转换为:

  1. std::invoke(Object, Function, Args)

这看起来像是c风格的函数调用,那么我的问题是,这种场景什么时候成为日常编程的必要/便利?或者,是否存在使用apply/invoke使事情变得更简单的情况?
你能帮我举一个好的例子吗?谢谢!

xpcnnkqh

xpcnnkqh1#

std::invoke使所有Callable对象能够被“统一”调用,其中包含指向成员函数的指针和指向不能用像f(args...)这样的常规函数调用形式调用的成员变量的指针

  1. struct S {
  2. void f(int i);
  3. int x;
  4. };
  5. int main() {
  6. auto mem_vptr = &S::x;
  7. auto mem_fptr = &S::f;
  8. S s;
  9. std::invoke(mem_vptr, s); // invoke like s.*mem_vptr;
  10. std::invoke(mem_fptr, s, 0); // invoke like (s.*mem_fptr)(0);
  11. }
bhmjp9jg

bhmjp9jg2#

std::apply的一个实际用途是元组解包,可能是嵌套的。

  1. #include <iostream>
  2. #include <string>
  3. #include <tuple>
  4. #include <sstream>
  5. // adapted from here: https://stackoverflow.com/a/48458312
  6. template <typename>
  7. constexpr bool is_tuple_v = false;
  8. template <typename ...T>
  9. constexpr bool is_tuple_v<std::tuple<T...>> = true;
  10. template<typename Tval, typename ... T>
  11. void linearize_tuple(std::stringstream &outbuf, const Tval& arg, const T& ... rest) noexcept {
  12. if constexpr (is_tuple_v<Tval>){
  13. outbuf << "{ ";
  14. std::apply([&outbuf](auto const&... packed_values) {
  15. linearize_tuple(outbuf, packed_values ...);
  16. }, arg
  17. );
  18. outbuf << " }";
  19. }
  20. else{
  21. outbuf << arg;
  22. }
  23. if constexpr(sizeof...(rest) > 0){
  24. outbuf << ' ';
  25. linearize_tuple(outbuf, rest ...);
  26. }
  27. }
  28. template<typename ... T>
  29. std::string args_to_string(const T& ... args) noexcept {
  30. std::stringstream outbuf{};
  31. if constexpr(sizeof...(args) > 0){
  32. linearize_tuple(outbuf, args ...);
  33. }
  34. return outbuf.str();
  35. }
  36. int main(){
  37. std::cout << args_to_string(
  38. "test", 1, "2", 3.0, '0', std::tuple
  39. {
  40. "examination", 10, "20", 30.0, '1', std::tuple
  41. {
  42. "we need to go deeper", 100, "200", 300, '2'
  43. }
  44. }
  45. );
  46. }

它将打印:

  1. test 1 2 3 0 { examination 10 20 30 1 { we need to go deeper 100 200 300 2 } }

如果你看一下std::apply的实现,它可能使用std::invoke,就像example from cppreference一样。关键部分:

  1. namespace detail {
  2. template <class F, class Tuple, std::size_t... I>
  3. constexpr decltype(auto) apply_impl(F&& f, Tuple&& t, std::index_sequence<I...>)
  4. {
  5. // This implementation is valid since C++20 (via P1065R2)
  6. // In C++17, a constexpr counterpart of std::invoke is actually needed here
  7. return std::invoke(std::forward<F>(f), std::get<I>(std::forward<Tuple>(t))...);
  8. }
展开查看全部

相关问题