SFINAE-based 跨命名空间的运算符重载
SFINAE-based Operator Overloading across Namespaces
我正在尝试使用一种允许为强类型枚举自动启用位掩码运算符的方法 类。请参阅下面的 header 和示例的 cpp。
https://www.justsoftwaresolutions.co.uk/files/bitmask_operators.hpp
https://www.justsoftwaresolutions.co.uk/files/testbitmask.cpp
testbitmask.cpp 中的方法在一切都在同一个命名空间中时有效,但是我想将不同命名空间中的 SFINAE 代码与其他 类 的使用分开(见下文或 https://wandbox.org/permlink/05xXaViZT3MVyiBl).
#include <type_traits>
namespace ONE {
template<typename E>
struct enable_bitmask_operators{
static const bool enable=false;
};
template<typename E>
inline typename std::enable_if<enable_bitmask_operators<E>::enable,E>::type
operator|(E lhs,E rhs){
typedef typename std::underlying_type<E>::type underlying;
return static_cast<E>(
static_cast<underlying>(lhs) | static_cast<underlying>(rhs));
}
}
namespace TWO {
enum class A{ x=1, y=2};
}
namespace ONE {
template<>
struct enable_bitmask_operators<TWO::A>{
static const bool enable=true;
};
}
int main(){
TWO::A a1 = TWO::A::x | TWO::A::y;
}
这具有无法在 main 中找到重载运算符的效果。显式调用该函数有效 (TWO::A a1 = ONE::operator|(TWO::A::x , TWO::A::y);
),但当然不是所需的功能。
如果我们将特化移动到 namespace ONE
,编译器将抛出一个 error: declaration of 'struct ONE::enable_bitmask_operators<TWO::A>' in namespace 'TWO' which does not enclose 'ONE'
。我想知道在 C++ 中是否可以使用所需的方法?
ADL 无法找到您的功能,您可以添加一些using
以允许使用它:
using ONE::operator|;
TWO::A a1 = TWO::A::x | TWO::A::y;
using namespace ONE;
也可能是另一种选择。
我正在尝试使用一种允许为强类型枚举自动启用位掩码运算符的方法 类。请参阅下面的 header 和示例的 cpp。
https://www.justsoftwaresolutions.co.uk/files/bitmask_operators.hpp https://www.justsoftwaresolutions.co.uk/files/testbitmask.cpp
testbitmask.cpp 中的方法在一切都在同一个命名空间中时有效,但是我想将不同命名空间中的 SFINAE 代码与其他 类 的使用分开(见下文或 https://wandbox.org/permlink/05xXaViZT3MVyiBl).
#include <type_traits>
namespace ONE {
template<typename E>
struct enable_bitmask_operators{
static const bool enable=false;
};
template<typename E>
inline typename std::enable_if<enable_bitmask_operators<E>::enable,E>::type
operator|(E lhs,E rhs){
typedef typename std::underlying_type<E>::type underlying;
return static_cast<E>(
static_cast<underlying>(lhs) | static_cast<underlying>(rhs));
}
}
namespace TWO {
enum class A{ x=1, y=2};
}
namespace ONE {
template<>
struct enable_bitmask_operators<TWO::A>{
static const bool enable=true;
};
}
int main(){
TWO::A a1 = TWO::A::x | TWO::A::y;
}
这具有无法在 main 中找到重载运算符的效果。显式调用该函数有效 (TWO::A a1 = ONE::operator|(TWO::A::x , TWO::A::y);
),但当然不是所需的功能。
如果我们将特化移动到 namespace ONE
,编译器将抛出一个 error: declaration of 'struct ONE::enable_bitmask_operators<TWO::A>' in namespace 'TWO' which does not enclose 'ONE'
。我想知道在 C++ 中是否可以使用所需的方法?
ADL 无法找到您的功能,您可以添加一些using
以允许使用它:
using ONE::operator|;
TWO::A a1 = TWO::A::x | TWO::A::y;
using namespace ONE;
也可能是另一种选择。