下面的代码会出现错误prog.cpp:5:13: error:无效的从' char '到' const char* '的转换

int main()
{
  char d = 'd';
  std::string y("Hello worl");
  y.append(d); // Line 5 - this fails
  std::cout << y;
  return 0;
}

我也尝试了,下面,它编译,但在运行时随机行为:

int main()
{
  char d[1] = { 'd' };
  std::string y("Hello worl");
  y.append(d);
  std::cout << y;
  return 0;
}

对不起,这个愚蠢的问题,但我已经搜索了谷歌,我能看到的只是“字符数组到字符ptr”,“字符ptr到字符数组”,等等。


当前回答

除了前面提到的其他构造函数外,其中一个字符串构造函数取一个char和该char的重复次数。 你可以用它来追加一个字符。

std::string s = "hell";
s += std::string(1, 'o');

其他回答

int main()
{
  char d = 'd';
  std::string y("Hello worl");

  y += d;
  y.push_back(d);
  y.append(1, d); //appending the character 1 time
  y.insert(y.end(), 1, d); //appending the character 1 time
  y.resize(y.size()+1, d); //appending the character 1 time
  y += std::string(1, d); //appending the character 1 time
}

请注意,在所有这些示例中,您都可以直接使用字符文字:y += 'd';。

第二个例子几乎是可行的,但原因与此无关。Char d[1] = {'d'};没有工作,但char d[2] = {'d'};(注意数组的大小为2)将与const char* d = "d";大致相同,并且可以追加字符串字面量:y.p append(d);。

还添加了插入选项,还没有提到。

std::string str("Hello World");
char ch;

str.push_back(ch);  //ch is the character to be added
OR
str.append(sizeof(ch),ch);
OR
str.insert(str.length(),sizeof(ch),ch) //not mentioned above
str.append(10u,'d'); //appends character d 10 times

注意,我写的是10u,而不是10,表示我想附加字符的次数;将10替换为任何数字。

有三种方法: 例如,我们有这样的代码: Std::string str_value = "origin"; Char c_append = 'c'; 我们通常使用push_back()。 str_value.push_back (c) 使用+=。 Str_value += c 使用追加方法。 str_value.append (1 c) 你可以从http://www.cplusplus.com/reference/string/string/了解更多关于string的方法

我通过将它们运行到一个大循环中来测试这几个命题。 我使用microsoft visual studio 2015作为编译器,我的处理器是i7, 8Hz, 2GHz。

    long start = clock();
    int a = 0;
    //100000000
    std::string ret;
    for (int i = 0; i < 60000000; i++)
    {
        ret.append(1, ' ');
        //ret += ' ';
        //ret.push_back(' ');
        //ret.insert(ret.end(), 1, ' ');
        //ret.resize(ret.size() + 1, ' ');
    }
    long stop = clock();
    long test = stop - start;
    return 0;

根据本次试验,结果为:

     operation             time(ms)            note
------------------------------------------------------------------------
append                     66015
+=                         67328      1.02 time slower than 'append'
resize                     83867      1.27 time slower than 'append'
push_back & insert         90000      more than 1.36 time slower than 'append'

结论

+=似乎更容易理解,但如果您介意速度,请使用append