下面的代码会出现错误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到字符数组”,等等。


当前回答

尝试使用d作为指针 y.append (* d)

其他回答

问题在于:

std::string y("Hello worl");
y.push_back('d')
std::cout << y;

你必须使用d而不是使用char的名字,比如char d = 'd';还是我错了?

使用push_back方法():

std::string y("Hello worl");
y.push_back('d')
std::cout << y;
y += d;

我将使用+=运算符而不是命名函数。

要使用append方法向std::string var添加一个char,你需要使用以下重载:

std::string::append(size_type _Count, char _Ch)

编辑: 你是对的,我误解了在上下文帮助中显示的size_type参数。这是要加的字符数,正确的方法是

s.append(1, d);

not

s.append(sizeof(char), d);

或者用最简单的方式:

s += d;
str.append(10u,'d'); //appends character d 10 times

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