考虑std :: string和容量
std::string aString = "12345678901234567890";
std::cout << aString.capacity() << std::endl; // capacity is 20
aString.clear();
std::cout << "size: " << aString.size() << std::endl;
std::cout << aString.capacity() << std::endl; // capacity is 20
aString.shrink_to_fit();
std::cout << aString.capacity() << std::endl; // capacity is 15?
std::string newString;
std::cout << newString.capacity() << std::endl; // capacity is 15?
最小字符数是15个吗?有什么方法可以将其缩小为字符串的实际大小?
答案 0 :(得分:0)
std::string
的某些实现使用“短字符串优化”,它使用字符串本身中的空间而不是动态分配的内存来存储小字符串的内容。因此,您不能收缩字符串,因为该内存是字符串本身的一部分。
答案 1 :(得分:0)
在 msvc2017 basic_string 实现中这是不可能的,因为构造一个空的std::string
将分配至少15个字符。
更多详细信息:
std::string.capacity()
返回_Myres
,代表已分配存储的当前长度
// Implementation of std::string.capacity()
_NODISCARD size_type capacity() const noexcept
{ // return current length of allocated storage
return (this->_Get_data()._Myres);
}
// Construct an empty string would call _Tidy_init() method
basic_string() _NOEXCEPT_COND(is_nothrow_default_constructible_v<_Alty>)
: _Mybase()
{ // construct empty string
_Tidy_init();
}
// Moreover, initialize _Myres by enum constant value
void _Tidy_init()
{ // initialize basic_string data members
auto& _My_data = this->_Get_data();
_My_data._Mysize = 0;
_My_data._Myres = this->_BUF_SIZE - 1;
// the _Traits::assign is last so the codegen doesn't think the char
// write can alias this
_Traits::assign(_My_data._Bx._Buf[0], _Elem());
}
// _BUF_SIZE stands for literal number 16 (std::cout<<std::string::_BUF_SIZE;)
enum
{ // length of internal buffer, [1, 16]
_BUF_SIZE = 16 / sizeof (value_type) < 1 ? 1
: 16 / sizeof (value_type)};