#include <iostream>
#include <cstring>
using namespace std;
class myString
{
private:
char *str; //记录c风格的字符串
int size; //记录字符串的实际长度
public:
//无参构造
myString():size(10)
{
str = new char[size]; //构造出一个长度为10的字符串
cout<<"无参构造"<<endl;
}
//有参构造
myString(const char *s)
{
size = strlen(s);
str = new char[size+1];
strcpy(str,s);
cout<<"有参构造"<<endl;
}
//析构函数
~myString()
{
delete[] str;
cout<<"析构构造"<<endl;
}
//show函数
void show()
{
for(int i=0;i<size;i++)
{
cout<<str[i];
}
cout<<endl;
}
//判空函数
bool empty()
{
return size==0;
}
//size函数
int get_size()
{
return size;
}
//c_str函数
char *c_str()
{
return str;
}
//定义成员函数完成为字符串赋值
myString &operator=(myString &R)
{
if (this != &R)
{
size = R.get_size();
str = new char[size + 1];
strcpy(str, R.str);
}
return *this;
}
//at函数
const char &at(int index)const
{
if(index<0||index>=size)
{
cout<<"error"<<endl;
}
return str[index];
}
//定义成员函数完成访问指定字符
const char &operator[](int index)const
{
if(index<0||index>=size)
{
cout<<"error"<<endl;
}
return str[index];
}
//返回指向字符串首字符的指针
char *data()
{
return str;
}
//清除内容
void clear()
{
str[0] = '\0';
size = 0;
}
//后附字符到结尾
myString &push_back(char a)
{
str[size]=a;
size++;
return *this;
}
//移除末尾字符
myString &pop_back()
{
str[size-1]='\0';
size--;
return *this;
}
//后附字符到结尾
myString &operator+=(char a)
{
str[size]=a;
size++;
return *this;
}
//两个字符串连接
myString &operator+(myString &R)
{
strcat(this->c_str(),R.c_str());
size += R.size;
return *this;
}
//定义成员函数完成==
bool operator==(myString &R)
{
if(strcmp(this->c_str(),R.c_str())==0)
{
return true;
}
return false;
}
//定义成员函数完成!=
bool operator!=(myString &R)
{
if(strcmp(this->c_str(),R.c_str())!=0)
{
return true;
}
return false;
}
//<
bool operator<(myString &R)
{
if(strcmp(this->c_str(),R.c_str())<0)
{
return true;
}
return false;
}
//定义成员函数完成>
bool operator>(myString &R)
{
if(strcmp(this->c_str(),R.c_str())>0)
{
return true;
}
return false;
}
//定义成员函数完成>=
bool operator>=(myString &R)
{
if(strcmp(this->c_str(),R.c_str())>=0)
{
return true;
}
return false;
}
//定义成员函数完成<=
bool operator<=(myString &R)
{
if(strcmp(this->c_str(),R.c_str())<=0)
{
return true;
}
return false;
}
friend ostream &operator<<(ostream &L,myString &R);
friend istream &operator>>(istream &L,myString &R);
};
//输出
ostream &operator<<(ostream &L,myString &R)
{
L<<R.str;
return L;
}
//输入
istream &operator>>(istream &L,myString &R)
{
L>>R.str;
return L;
}
int main()
{
myString s1("hello world");
s1.show();
//调用判空函数
if(s1.empty())
{
cout<<"字符串为空"<<endl;
}
else
{
cout<<"字符串非空"<<endl;
}
//调用size函数
cout<<"字符串大小为"<<s1.get_size()<<endl;
//调用赋值函数
myString s2("ni hao");
s1=s2;
s1.show();
//调用at函数
char s='!';
cout<<s1.at(4)<<endl;
s1.push_back(s);
s1.show();
//调用两个字符串连接
myString s3(" yyqx");
s2+s3;
s2.show();
}