如何在 C++ 中把 Char 数组转换为字符串

Jinku Hu 2023年1月30日 2020年9月26日
  1. 使用 std::string 构造函数将 char 数组转换为 string
  2. 使用 memmove 函数将 Char 数组转换为字符串
  3. 使用 std::basic_string::assign 方法将 Char 数组转换为字符串
如何在 C++ 中把 Char 数组转换为字符串

本文介绍了将 char 数组转换为 string 容器的多种方法。

使用 std::string 构造函数将 char 数组转换为 string

在这个例子中,我们声明一个 C-string 常量,然后将其作为 string 构造参数。这个方法会自动计算字符串长度。在调用构造函数后,我们可以根据需要操作 tmp_string 变量。

#include <iostream>
#include <string>

using std::cout;
using std::cin;
using std::endl;
using std::string;

int main(){
    const char* c_string = "This will be stored in std::string";

    string tmp_string(c_string);
    cout << tmp_string << endl;

    return EXIT_SUCCESS;
}

输出:

This will be stored in std::string

使用 memmove 函数将 Char 数组转换为字符串

一个更直接的方法是将 char*数据复制到一个初始化的 string 容器中。这样一来,你必须事先知道 char 数组的长度,才能将其传递给 memmove 函数。请注意,string 容器初始化对于正确的行为至关重要,这就是为什么我们要用 0x01 字节填充 tmp_string 变量的原因。

#include <iostream>
#include <string>
#include <cstring>

using std::cout;
using std::cin;
using std::endl;
using std::string;

constexpr int C_STRING_LENGTH = 34;

int main(){
    const char* c_string = "This will be stored in std::string";
    string tmp_string(C_STRING_LENGTH, 1);

    memmove(&tmp_string[0], c_string, C_STRING_LENGTH);
    cout << tmp_string << endl;

    return EXIT_SUCCESS;
}

需要注意的是,你也可以使用各种函数将 c_string 数据复制到 tmp_string 中,比如 memcpy, memccpy, mempcpy, strcpystrncpy, 但请注意仔细阅读手册页面并考虑其边缘情况/错误。

使用 std::basic_string::assign 方法将 Char 数组转换为字符串

和前面的例子一样,这个方法也要求得到 char 数组的长度。我们定义一个名为 tmp_ptrchar 指针,并将 tmp_string 中第一个字符的地址分配给它。

#include <iostream>
#include <string>

using std::cout;
using std::cin;
using std::endl;
using std::string;

constexpr int C_STRING_LENGTH = 34;

int main(){
    const char* c_string = "This will be stored in std::string";
    string tmp_string;

    tmp_string.assign(c_string, C_STRING_LENGTH);
    cout << tmp_string << endl;

    return EXIT_SUCCESS;
}
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++ Char

相关文章 - C++ String