1.记录string的构造函数,到底是把char、string深度拷贝了,还是只是赋值了地址。
//这两个string的功能是否必要?????
//对真实string串的拷贝,遇到\0符号停止拷贝
//没有用到
std::string StringCopy(const std::string& str1, int position, int length);
std::string StringCopy(const std::string& str1);
inline std::string StringCopy(const std::string& str1, int position, int length)
{
//string.c_str()不要对字符串进行操作,如果需要操作,深度拷贝一份出来,用strcpy
char cstr2[length + 1];
memset(cstr2, 0, length + 1);
strcpy(cstr2, str1.substr(position, length).c_str());
std::string str2(cstr2);
return str2;
}
inline std::string StringCopy(const std::string& str1)
{
printf("str1:strlen:%d,length():%d,sizeof(str1):%d,sizeof(str1.c_str()):%d\n", strlen(str1.c_str()), str1.length(), sizeof(str1.c_str()));
std::string str2 = StringCopy(str1, 0, strlen(str1.c_str()));
printf("str2:strlen:%d,length():%d,sizeof(str1):%d,sizeof(str2.c_str()):%d\n", strlen(str2.c_str()), str2.length(), sizeof(str2.c_str()));
return StringCopy(str1, 0, strlen(str1.c_str()));//用strlen,string.length()和size()是指针指向的整个字符数组的长度
}
2.记录获取string,char*字符串长度问题。
3.不要将string参数作为函数形参使用,如果使用,请加上引用!!!!不然会报各种错误。
我遇到的是报 terminate called after throwing an instance of ‘std::length_error‘
void fun1(std::string str1);//××××××××××××××尽量拒绝这种写法。
void fun1(std::string& str1);//可以用这种写法。
//然后用这种写法的话,调用函数
fun1("hello");//此种调用在gcc会报错!!!!
//会提示cannot bind non-const lvalue reference of type ‘std::__cxx11::string& {aka std::__cxx11::basic_string<char>&}’ to an rvalue of type ‘std::__cxx11::string {aka std::__cxx11::basic_string<char>}’
//这边有点需要注意的是,"hello"是个临时变量
//因为一个临时变量不能绑定到非const引用上
//但是这个也和编译器的版本有关,在VS中由于默认启用了编译器扩展,因此它可以正常工作。但是在GCC中会报错。
//如果一个参数是以非const引用传入,c++编译器就有理由认为程序员会在函数中修改这个值,并且这个被修改的引用在函数返回后要发挥作用。但如果你把一个临时变量当作非const引用参数传进来,由于临时变量的特殊性,程序员并不能操作临时变量,而且临时变量随时可能被释放掉,所以,一般说来,修改一个临时变量是毫无意义的,据此,c++编译器加入了临时变量不能作为非const引用的这个语义限制。
后续完善。
std::string 使用坑真多啊。坑坑都不一样。