Logo

Programming-Idioms

  • Perl
  • C++

Idiom #23 Convert real number to string with 2 decimal places

Given a real number x, create its string representation s with 2 decimal digits following the dot.

#include <charconv>
#include <array>
std::array<char, 23> buffer;
std::string s{};
if (auto [ptr, ec] = std::to_chars(buffer.data(), buffer.data() + buffer.size(), x, std::chars_format::fixed, 2); ec == std::errc{}) {
  s = std::string(buffer.data(), ptr);
} else {
  s = std::make_error_code(ec).message();
}
#include <format>
auto s = std::format("{.2f}", x);

Based on C++20 <format>.
#include <iomanip>
#include <sstream>
std::stringstream ss;
ss << std::fixed << std::setprecision(2) << x;
s = ss.str();
$s = sprintf "%.2f", $x;
#include <stdio.h>
sprintf(s, "%.2f", x);

New implementation...
< >
programming-idioms.org