函数
class myString
{
private:
char *str; //记录c风格的字符串
int size; //记录字符串的实际长度
public:
//无参构造
myString():size(10)
{
str = new char[size]; //构造出一个长度为10的字符串
strcpy(str,"");
}
//有参构造
myString(const char *s)
{
size = strlen(s);
str = new char[size+1];
strcpy(str, s);
cout<<str<<endl;
}
//拷贝构造
myString(myString &other)
{
size =other.size;
str=new char[size+1];
strcpy(str,other.str);
cout<<"myString::拷贝构造"<<endl;
cout<<"str="<<str<<endl;
}
//析构函数
~myString()
{
delete []str;
cout<<"Stu::析构函数"<<endl;
}
//判空函数
bool kong()
{
if(strlen(str) == 0) //判断长度是否为0,0则为空字符串
return false;
else
return true;
//cout<<"判空函数";
}
//size函数
int mysize() //返回字符串的长度
{
return size;
}
//c_str函数
const char * c_str() //返回字符串
{
return str;
}
//at函数
char &at(int pos) //寻找指定字符串的成员
{
if(pos<0 || pos>=size)
{
cout<<"超出范围"<<endl;
}
return str[pos];
}
void show()
{
cout<<"str="<<str<<endl;
}
};
主函数
int main()
{
myString s1("hello"); //无参构造
myString s2(s1); //调用拷贝构造
s2.show();
if(!s2.kong()) //调用判空函数
{
cout<<"为空函数"<<endl;
}
else
cout<<"不是空函数"<<endl;
cout<<s2.at(1)<<endl; //寻找下表为1的成员
return 0;
}
运行图