C ++字符串格式化,如Python“{}”。格式

时间:2017-06-30 04:53:51

标签: c++ io formatting fmt

我正在寻找一种快速而简洁的方式,以一种漂亮的表格格式进行打印,并且单元格正确对齐。

在c ++中是否有一种方便的方法来创建具有一定长度的子串的字符串,如python格式

"{:10}".format("some_string")

6 个答案:

答案 0 :(得分:16)

在C ++ 20中,您将可以使用std::format,它将类似Python的格式引入C ++:

auto s = std::format("{:10}", "some_string");

在此之前,您可以使用std::format为基础的开源{fmt} formatting library

免责声明:我是{fmt}和C ++ 20 std::format的作者。

答案 1 :(得分:11)

试试这个https://github.com/fmtlib/fmt

fmt::printf("Hello, %s!", "world"); // uses printf format string syntax
std::string s = fmt::format("{0}{1}{0}", "abra", "cad");

答案 2 :(得分:3)

这里有很多选择。例如使用流。

<强> source.cpp

  std::ostringstream stream;
  stream << "substring";
  std::string new_string = stream.str();

答案 3 :(得分:1)

@mattn是正确的,位于https://github.com/fmtlib/fmt的fmt库完全提供了此功能。

令人振奋的消息是这已被C ++ 20标准接受。

您可以使用fmt库知道它在C ++ 20中将为std :: fmt

https://www.zverovich.net/2019/07/23/std-format-cpp20.html https://en.cppreference.com/w/cpp/utility/format/format

答案 4 :(得分:0)

如果不能如上所述使用fmt,最好的方法是使用包装器类进行格式化。这是我曾经做过的事情:

#include <iomanip>
#include <iostream>

class format_guard {
  std::ostream& _os;
  std::ios::fmtflags _f;

public:
  format_guard(std::ostream& os = std::cout) : _os(os), _f(os.flags()) {}
  ~format_guard() { _os.flags(_f); }
};

template <typename T>
struct table_entry {
  const T& entry;
  int width;
  table_entry(const T& entry_, int width_)
      : entry(entry_), width(static_cast<int>(width_)) {}
};

template <typename T>
std::ostream& operator<<(std::ostream& os, const table_entry<T>& e) {
  format_guard fg(os);
  return os << std::setw(e.width) << std::right << e.entry; 
}

然后将其用作std::cout << table_entry("some_string", 10)。您可以根据自己的需要调整table_entry。如果没有类模板参数推导,则可以实现make_table_entry函数以进行模板类型推导。

format_guard是必需的,因为std::ostream上的某些格式化选项很粘。

答案 5 :(得分:-1)

你可以快速编写一个简单的函数来返回一个固定长度的字符串。

我们认为 str 字符串以null结尾,在调用函数之前已经定义了buf。

void format_string(char * str, char * buf, int size)
{
    for (int i=0; i<size; i++)
        buf[i] = ' '; // initialize the string with spaces

    int x = 0;
    while (str[x])
    {
        if (x >= size) break;
        buf[x] = str[x]; // fill up the string
    }

    buf[size-1] = 0; // termination char
}

用作

char buf[100];
char str[] = "Hello";
format_string(str, buf, sizeof(buf));
printf(buf);