将字符串中带有NULL字符的字符串数据复制到char数组

时间:2014-04-07 08:39:20

标签: c++ string null-character

我试图将一个字符串复制到char数组,字符串有多个NULL字符。我的问题是当第一个NULL字符遇到我的程序停止复制字符串。

我使用了两种方法。这就是我到目前为止。

#include<iostream>
#include<string.h>
using namespace std;

int main()
{
    std::string str = "Hello World.\0 How are you?\0";
    char resp[2000];
    int i = 0;
    memset(resp, 0, sizeof(resp));
    /* Approach 1*/
    while(i < str.length())
    {
            if(str.at(i) == '\0')
            str.replace(str.begin(), str.begin()+i, " ");
        resp[i] = str.at(i);
        i++;
    }
    /* Approach 2*/
    memcpy(resp, str.c_str(), 2000);
    cout << resp << endl;
    return 0;
}

此程序应打印Hello World. How are you?。请帮我纠正一下。

2 个答案:

答案 0 :(得分:1)

你也可以用

一次性拍摄
std::transform(
  str.begin(), str.end(), resp, [](char c) { return c == '\0' ? ' ' : c; }
);

当然,由于@Mats已经提到你的字符串没有任何空字符,所以字符串也可以按如下方式初始化:

char const cstr[] = "Hello World.\0 How are you?";
std::string str(cstr, sizeof cstr);

C ++ 14有一个std::string文字运算符

std::string str = "Hello World.\0 How are you?"s;

答案 1 :(得分:0)

使用std::copy

std::copy(str.begin(), str.end(), std::begin(resp));

后跟std::replace

std::replace(std::begin(resp), std::begin(resp) + str.size(), '\0', ' ');

你可能想要定义你的角色数组,以便它在开始时充满零:

char resp[2000] = {};