c – 模板类的朋友模板功能

我有以下简化代码:

template <class T>
class A
{
public:
    template <class U>
    static U foo(T* p)
    {
        p;
        return U();
    }
};

class B
{
    /*template <class T>
    template <class U>
    friend U A<T>::foo<U>(T*);*/
    friend B A<B>::foo<B>(B*);
    B()
    {}
public:
};
...
A<B>::foo<B>(nullptr);

而且效果很好.但是我没有做过的事情被评论:

/*template <class T>
template <class U>
friend U A<T>::foo<U>(T*);*/

我不知道我应该使用什么语法来使它工作.所以我需要将我的朋友声明推广到所有可能的类型.我已经尝试了很多语法变体但没有成功.有人可以指出我应该写什么而不是我的注释代码才能使它有效?
谢谢!

最佳答案 你在寻找什么

template <class T>
template <class U>
friend U A<T>::foo(T*);

以下适用于IdeOne.com

#include <iostream>

template <class T>
class A
{
public:
  template <class U>
  static U foo(T* p)
  {
    p;
    return U();
  }
};

class B
{
  template <class T>
  template <class U>
  friend U A<T>::foo(T*);

  B() {}

public:
  void hello() const
  {
    std::cout << "I'm a B!" << std::endl;
  }
};

int main(int, char*[])
{
  A<B>::foo<B>(NULL).hello();
}
点赞