如何在 C++ 中把整型 Int 转换为 Char 数组

Jinku Hu 2023年1月30日 2020年9月26日
  1. 使用 std::printf 函数将 int 转换为 char*
  2. 结合 to_string()c_str() 方法将 int 转换为 char*
  3. 使用 std::stringstream 类方法进行转换
  4. 使用 std::to_chars 函数将 int 转换为 char*
如何在 C++ 中把整型 Int 转换为 Char 数组

本文将解释如何使用不同的方法将整型 int 转换为 char* 数组(char*)。

在下面的例子中,我们假设将转换后的输出存储在内存缓冲区中,为了验证的目的,我们将使用 std::printf 输出结果。

使用 std::printf 函数将 int 转换为 char*

首先,我们需要分配空间来存储一个单一的 int 变量,我们要将其转换到 char 缓冲区中。注意,下面的例子是为整数数据定义最大长度 MAX_DIGITS。为了计算 char 缓冲区的长度,我们添加了 sizeof(char),因为 sprintf 函数会在目的地自动写入以 \0 结束的 char 字符串。因此我们应该注意为这个缓冲区分配足够的空间。

#include <iostream>

#define MAX_DIGITS 10

int main() {
    int number = 1234;
    char num_char[MAX_DIGITS + sizeof(char)];

    std::sprintf(num_char, "%d", number);
    std::printf("num_char: %s \n", num_char);

    return 0;
}

输出:

num_char: 1234

请注意,不建议在源缓冲区和目标缓冲区重叠的情况下调用 sprintf(例如 sprintf(buf, "%s some text to add", buf)),因为它有未定义的行为,并且根据编译器会产生不正确的结果。

结合 to_string()c_str() 方法将 int 转换为 char*

这个版本利用 std::string 类方法来进行转换,使其比上一个例子中处理 sprintf 要安全得多。

#include <iostream>

int main() {
    int number = 1234;

    std::string tmp = std::to_string(number);
    char const *num_char = tmp.c_str();

    printf("num_char: %s \n", num_char);

    return 0;
}

使用 std::stringstream 类方法进行转换

这个方法是用 std::stringstream 类实现的。也就是说,我们创建一个临时的基于字符串的流,在这里存储 int 数据,然后通过 str 方法返回字符串对象,最后调用 c_str 进行转换。

#include <iostream>
#include <sstream>

int main() {
    int number = 1234;

    std::stringstream tmp;
    tmp << number;

    char const *num_char = tmp.str().c_str();
    printf("num_char: %s \n", num_char);;

    return 0;
}

使用 std::to_chars 函数将 int 转换为 char*

这个版本是在 C++17 中添加的一个纯 C++ 风格的函数,定义在标题 <charconv> 中。另外,这个方法提供了对范围的操作,这可能是特定场景下最灵活的解决方案。

#include <iostream>
#include <charconv>

#define MAX_DIGITS 10

int main() {
    int number = 1234;
    char num_char[MAX_DIGITS + sizeof(char)];

    std::to_chars(num_char, num_char + MAX_DIGITS, number);
    std::printf("num_char: %s \n", num_char);

    return 0;
}
Author: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.

LinkedIn

相关文章 - C++ Integer

相关文章 - C++ Char