左移运算符重载:
class Person
{friend ostream& operator<<(ostream& cout, Person& p);
public:Person();~Person();static int m_age;void showperson() const{cout << this->m << endl;}int m_A;int m_B;Person operator+(Person& p){Person temp;temp.m_A = this->m_A + p.m_A;temp.m_B = this->m_B + p.m_B;}
private:int m;
};
int Person::m_age = 10;
Person::Person():m(1),m_A(10),m_B(10)
{cout << "调用构造函数" << endl;
}Person::~Person()
{m = 0;cout << "调用析构函数" << endl;
}
ostream& operator<<(ostream& cout, Person& p)
{cout << "p.m_A= " << p.m_A << endl;cout << "p.m_B= " << p.m_B << endl;cout << "p.m= " << p.m;return cout;
}
函数调用运算符重载:(仿函数)
class MyPrint
{
public:MyPrint();~MyPrint();void operator()(string test){cout << test << endl;}
private:};void test01()
{MyPrint myprint;myprint("hello world");//匿名对象,即当前行执行完毕之后编译器自动释放MyPrint()("I love you");
}
递增与递减运算符重载:
int是占位参数,用于区分前置和后置递增
class MyInteger
{friend ostream& operator<<(ostream& cout,const MyInteger& myint);
public:MyInteger();~MyInteger();MyInteger& operator++(){//模仿++am_Num++;return *this;}MyInteger& operator--(){m_Num--;return *this;}MyInteger operator++(int){//模仿a++MyInteger t = *this;m_Num++;return t;}MyInteger operator--(int){MyInteger t = *this;m_Num--;return t;}
private:int m_Num;
};MyInteger::MyInteger()
{m_Num = 0;
}MyInteger::~MyInteger()
{
}
ostream& operator<<(ostream& cout,const MyInteger& myint)
{//注意这里如果不加const编译器会报错,因为myint++返回的不是引用cout << myint.m_Num;return cout;
}
void test01()
{MyInteger myint;cout << ++myint << endl;cout << myint << endl;cout << --myint << endl;cout << myint << endl;
}
void test02()
{MyInteger myint;cout << myint++ << endl;cout << myint << endl;cout << myint-- << endl;cout << myint << endl;
}
赋值运算符重载:
class Person
{
public:Person(int age);~Person();Person& operator=(Person& p){//相当于深拷贝if (m_Age != NULL){delete m_Age;m_Age = NULL;}m_Age = new int(*p.m_Age);return *this;}int* m_Age;
};
Person::Person(int age)
{m_Age = new int(age);
}
Person::~Person()
{if (m_Age != NULL){delete m_Age;m_Age = NULL;}
}