7
int main()
{    
    string a;

    a[0] = '1';
    a[1] = '2';
    a[2] = '\0';

    cout << a;
}

为什么这段代码不起作用?为什么不打印字符串?

4

5 回答 5

7

因为a是空的。如果您尝试对空数组执行相同的操作,则会遇到同样的问题。你需要给它一些大小:

a.resize(5); // Now a is 5 chars long, and you can set them however you want

或者,您可以在实例化时设置大小a

std::string a(5, ' '); // Now there are 5 spaces, and you can use operator[] to overwrite them
于 2012-12-12T02:36:06.563 回答
3

首先,我认为你的意思是std::string

其次,您的字符串为空。

第三,虽然您可以使用 operator[] 更改字符串中的元素,但不能使用它插入不存在的元素:

std::string a = "12";
a[0] = '3'; //a is now "32"
a[2] = '4'; //doesn't work

为此,您需要先确保您的字符串已分配足够的内存。因此,

std::string a = "12";
a[0] = '3'; //a is now "32"
a.resize(3); //a is still "32"
a[2] = '4'; //a is now "324"

第四,您可能想要的是:

#include <string>
#include <iostream>
int main()
{    
    std::string a = "12";    
    std::cout << a;
}
于 2012-12-12T02:38:06.717 回答
2

不支持使用operator[]向字符串添加字符。出现这种情况有多种原因,但其中之一是:

string a;
a[1] = 12;

应该a[0]是什么?

于 2012-12-12T02:34:40.107 回答
1

在 C++ 中,字符串是对象,而不是数组。尝试:

string a = "12";
cout << a;

如果您愿意,您仍然可以使用旧式 C 字符串,因此:

char a[3];
a[0] = '1';
a[1] = '2';
a[2] = '\0';
...

您要做的是混合这两种模式,这就是它不起作用的原因。

编辑:正如其他人指出的那样,std::string只要字符串已被初始化为具有足够的容量,就可以为对象下标。在这种情况下,字符串为空,因此所有下标都超出范围。

于 2012-12-12T02:34:50.000 回答
1

根据 std::string 上的下标运算符的定义:

const char& operator[] ( size_t pos ) const;
      char& operator[] ( size_t pos );

非常量下标是可能的。所以以下应该可以正常工作:

std::string a;
a.resize(2);

a[0] = '1';
a[1] = '2';

std::cout << a;

不过,这似乎是一种迂回的方式。

于 2012-12-12T02:43:37.173 回答