模板 class 友元函数的内部 class

Inner class of a template class friend function

我有一个带有内部 class B 的模板 class A。我想有一个朋友 == 运算符。但是,以下代码无法编译。它说,couldn't deduce template parameter ‘T’

#include <iostream>

template<typename T>
struct A
{
    struct B
    {
        T b;

        template<typename T2>
        friend bool operator == (const typename A<T2>::B& b1, const typename A<T2>::B& b2);
    };

    B b;
};

template<typename T>
bool operator == (const typename A<T>::B& b1, const typename A<T>::B& b2)
{
    return b1.b == b2.b;
}

int main() {
    A<int>::B b1, b2;
    b1.b = 3;
    b2.b = 2;

    std::cout << (b1 == b2) << std::endl;

    return 0;
}

我必须有朋​​友版本,因为其中一种 STL 算法调用它的方式会导致 == 找不到,否则即使我有 bool operator == (const B& b_) { return b == b_.b; }

有什么方法可以解决这个问题?

这是一个non-deduced context

表面上你可以有一个像

这样的定义
template<typename AB>
bool operator == (const AB& b1, const AB& b2)
{
    return b1.b == b2.b;
}

但它太宽泛了,因为它涵盖了 所有 类型。 Yoiy可以这样限制

template<typename AB>
auto operator == (const AB& b1, const AB& b2) ->
     std::enable_if_t<std::is_same_v<AB, typename A<decltype(b1.b)>::B>, bool>
{
    return b1.b == b2.b;
}

这对我有用。

#include <iostream>

template<typename T>
struct A
{
    struct B
    {
        T b;
    };

    friend bool operator==(const typename A<T>::B &b1, const typename A<T>::B &b2)
    {
        return b1.b == b2.b;
    }

    B b;
};

int main() {
    A<int>::B b1, b2;
    b1.b = 3;
    b2.b = 2;

    std::cout << (b1 == b2) << std::endl;

    return 0;
}