c++:如何删除某种类型的 cv 限定符以访问 class 函数?

c++ : how to remove cv-qualifiers of a type to access class functions?

举个例子:

#include <iostream>

template<typename T, 
         typename ... Args>
void print(T&& t, Args&& ... args)
{
    // line where compilation fails when the A::run is called
    if constexpr (std::is_invocable_v<decltype(&T::display),T*,Args...>)
      {
          t.display(std::forward<Args>(args)...);
      }
    else 
    {
        std::cout << "not applicable !" << std::endl;    
    }
}

template<typename T>
class A 
{
    public:

    A(T&& t):t_(t){}

    template <typename... Args>
    void run(Args&& ... args)
    {
        print<T,Args...>(t_,std::forward<Args>(args)...);
    }

    T t_;
};

template <typename T> A(T&) -> A<T&>;
template <typename T> A(T&&) -> A<T>;

class B 
{
  public:
  B(int value):value_(value){} 
  void display(int a, int b)
  {
      std::cout << value_ << " " 
                << a << " " 
                << b << std::endl; 
  }
  int value_;
};

int main()
{
    int v1=10;
    int v2=20;

    B b1{1};
    A a1{b1};
    a1.t_.display(v1,v2);

    A a2{B(2)};
    a2.t_.display(v1,v2);

    //a1.run(v1,v2); // (1)
    //a2.run(v1,v2); // (2)
    //a1.run(v1);

    return 0;
}

上面的代码可以正常编译和运行。但是,如果最后 3 行(对 run() 的调用)未被注释,则会出现以下编译错误:

(1)

main.cpp:7:48: error: ‘display’ is not a member of ‘B&’

if constexpr (std::is_invocable_v<decltype(&T::display),T*,Args...>)

(2)

main.cpp:27:25: error: no matching function for call to ‘print(B&, int&, int&)’

    print<T,Args...>(t_,std::forward<Args>(args)...);

注:

template <typename T> A(T&) -> A<T&>;
template <typename T> A(T&&) -> A<T>;

此处解释:

问题(1)和(2)是不同的问题。

问题(1)来自以下事实std::is_invocable_v

template<typename T, 
         typename ... Args>
void print(T&& t, Args&& ... args)
{
    if constexpr (std::is_invocable_v<decltype(&T::display),T*,Args...>)
    //  no T but std::decay_t<T> ...............^...........^

而不是 T(可以作为参考)您需要 "decayed" 类型

我提议

template <typename T, typename ... Args>
void print (T && t, Args && ... args)
 {
   using U = std::decay_t<T>;

   if constexpr ( std::is_invocable_v<decltype(&U::display), U*, Args...> )
      t.display(std::forward<Args>(args)...);
   else 
      std::cout << "not applicable !" << std::endl;    
}

问题 (2) 来自以下事实:在以下 print() 调用中解释模板参数

template <typename... Args>
void run(Args&& ... args)
{
    print<T,Args...>(t_,std::forward<Args>(args)...);
}

你阻碍了正确的模板推导。

建议:让模板推导,完美转发,起作用,调用函数如下

    print(t_,std::forward<Args>(args)...);