c++ 为什么fmt lib不格式化std::float16_t和std::float128_t类型?

8e2ybdfx  于 2023-06-25  发布在  其他
关注(0)|答案(1)|浏览(224)

在下面的代码片段(live)中,第三个print语句导致了大量的错误消息:

  1. #include <stdfloat>
  2. #include <fmt/core.h>
  3. int main()
  4. {
  5. auto num1 { std::float64_t{1.1f64} };
  6. fmt::println( "{}", num1 );
  7. auto num2 { static_cast<long double>(1.2) };
  8. fmt::println( "{}", num2 );
  9. auto num3 { std::float128_t{1.3f128} };
  10. fmt::println( "{}", num3 ); // compile-time error
  11. }

std::float16_t也是如此。
为什么这两种类型不被{fmt}格式化?是因为它们还没有实现,还是需要特定的格式说明符?我检查了documentation,但找不到任何相关信息。

oyjwcjzk

oyjwcjzk1#

问题是**{fmt}**本身没有为扩展浮点类型提供任何格式化程序。尝试格式化std::float128_t将在某种程度上导致不明确的重载,因为它可以转换为:

  • int
  • long
  • ...

libstdc++不实现operator<<(std::float128_t),可能不需要。如果std::float128_t的秩大于long double,则可能不支持。

  • 如果秩小于或等于double的秩,则像(6)中那样插入static_cast<double>(value)
  • 否则,如果秩小于或等于long double的秩,则插入static_cast<long double>(value),如(7)所示。
    *否则,此重载的调用将有条件地支持实现定义的语义。
  • 参见std::ostream::operator<<
    这意味着我们也不能依赖#include <fmt/ostream.h>作为后备选项。
    同时,您可以使用已迁移到标准的**{fmt}**功能:
  1. #include <stdfloat>
  2. #include <format>
  3. #include <iostream>
  4. int main()
  5. {
  6. auto num1 { std::float64_t{1.1f64} };
  7. std::cout << std::format( "{}\n", num1 );
  8. auto num2 { static_cast<long double>(1.2) };
  9. std::cout << std::format( "{}\n", num2 );
  10. auto num3 { std::float128_t{1.3f128} };
  11. std::cout << std::format( "{}\n", num3 );
  12. // or using {fmt} + <format>
  13. fmt::println( "{}", std::format( "{}", num3 ) );
  14. // or using {fmt} + GCC's __float128
  15. fmt::println( "{}", fmt::to_string( __float128{num3} ) );
  16. }
  • 注意:最终,我们将能够编写std::println,但是libstdc++还没有实现<print> *

标签:C++ compiler support

展开查看全部

相关问题