为什么SFINAE在gcc〈11和>12时有不同的行为?

dl5txlt9  于 2022-11-13  发布在  其他
关注(0)|答案(2)|浏览(155)

我看过这个使用SFINAE来检查一个类型是否是可流的here的例子。但是,我注意到它是不可移植的,也就是说,对于不同的编译器,模板化的类型返回不同的结果。我很乐意提供任何提示来理解这里的问题。
下面的代码对于任何版本的clang++和GCC 12或更高版本都返回true, false,但对于早期版本的GCC则返回true, true

您可以在线试用here

  1. #include <iostream>
  2. #include <type_traits>
  3. #include <vector>
  4. template <typename T, typename dummy = void>
  5. struct is_printable : std::false_type {};
  6. template <typename T>
  7. struct is_printable<
  8. T, typename std::enable_if_t<std::is_same_v<
  9. std::remove_reference_t<decltype(std::cout << std::declval<T>())>,
  10. std::ostream>>> : std::true_type {};
  11. template <typename T>
  12. inline constexpr bool is_printable_v = is_printable<T>::value;
  13. struct C {};
  14. std::ostream& operator<<(std::ostream& os, const C& c) {
  15. os << "C";
  16. return os;
  17. }
  18. template <typename T>
  19. std::ostream& operator<<(std::ostream& os, const std::vector<T>& v) {
  20. for (const auto& el : v) {
  21. os << el;
  22. }
  23. return os;
  24. }
  25. int main(int argc, const char* argv[]) {
  26. std::cout << std::boolalpha;
  27. std::cout << is_printable_v<C> << std::endl;
  28. std::cout << is_printable_v<std::vector<int>> << std::endl;
  29. return 0;
  30. }
5ssjco0h

5ssjco0h1#

operator<<(std::ostream& os, const std::vector<T>& v)不会被ADL找到(对于std::vector<int>,它会被std::vector<C>找到)(因此需要在使用前声明才能使用)。
这就是为什么正确答案是truefalse。以前版本的gcc在这方面表现不佳。
注意:不鼓励为您不拥有的类型重载运算符。std可能在将来添加该重载,并且您将违反ODR(一个定义规则)。如果另一个库做了与您相同的错误事情,也是如此。

x8diyxa7

x8diyxa72#

添加转发声明帮助:

  1. template <typename T>
  2. std::ostream& operator<<(std::ostream& os, const std::vector<T>& v);

完整代码:

  1. #include <iostream>
  2. #include <type_traits>
  3. #include <vector>
  4. template <typename T>
  5. std::ostream& operator<<(std::ostream& os, const std::vector<T>& v);
  6. template <typename T, typename dummy = void>
  7. struct is_printable : std::false_type {};
  8. template <typename T>
  9. struct is_printable<
  10. T, typename std::enable_if_t<std::is_same_v<
  11. std::remove_reference_t<decltype(std::cout << std::declval<T>())>,
  12. std::ostream>>> : std::true_type {};
  13. template <typename T>
  14. inline constexpr bool is_printable_v = is_printable<T>::value;
  15. struct C {};
  16. std::ostream& operator<<(std::ostream& os, const C& c) {
  17. os << "C";
  18. return os;
  19. }
  20. template <typename T>
  21. std::ostream& operator<<(std::ostream& os, const std::vector<T>& v) {
  22. for (const auto& el : v) {
  23. os << el;
  24. }
  25. return os;
  26. }
  27. int main(int argc, const char* argv[]) {
  28. std::cout << std::boolalpha;
  29. std::cout << is_printable_v<C> << std::endl;
  30. std::cout << is_printable_v<std::vector<int>> << std::endl;
  31. return 0;
  32. }

演示:https://godbolt.org/z/qKz537TPr
我知道我没有回答“为什么两个版本的行为不同”,但我认为这可能会有帮助:)

展开查看全部

相关问题