标签:
运算符重载就是对已有的C++运算符赋予更多的语义,让一个运算符可以作用于其他的数据类型。 典型地,让运算符接受一个类的对象作为参数。通常有两种方式来重载一个运算符:
事实上,运算符的本质是函数。每个运算符调用会转换为函数调用,运算符的操作数转换为函数参数。 运算符的重载本质上是方法的重载。
这些运算符不允许重载:.,.*,::,?:,sizeof。
重载为普通函数时,参数的个数为运算符的目数:
CPerson operator+(const CPerson& male, const CPerson& female){
    return CPerson(male.name + female.name);
};
CPerson male("Bob"), female("Alice");
CPerson child1 = male + female;
// 等价于
CPerson child2 = operator+(male, female);
这些运算符必须重载为成员函数:(),[],->,=。
重载为成员函数时,参数的个数为运算符的目数-1:
class CPerson{
    string name;
public:
    CPerson(string name_):name(name_){}
    CPerson operator+(const CPerson& female){
        return CPerson(name + female.name);
    }
};
CPerson male("Bob"), female("Alice");
CPerson child1 = male + female;
// 等价于
CPerson child2 = male.operator+(female);
接下来列举一些常见的运算符重载实践。当一个对象赋值给另一个对象的变量时,赋值运算符被调用。
const CPerson& operator=(const CPerson& p){
    name = p.name;
    return *this;
};
参数为const,因为不需要改变原有对象。
能使用
const时,尽量使用它。详情见:Effective C++ 笔记
参数、返回值为引用,因为直接传参会生成一个新的对象,低效。
返回值为CPerson类型,这样可以支持连等:a
 = b = c。
返回值为const,赋值的结果不应当被改变。
对于赋值运算符,更高效的做法是“copy and swap”:
const CPerson& operator=(CPerson p){
    std::swap(name, p.name);
    return *this;
};
事实上赋值运算符有两点重要的关注:
自我赋值的正确性。一些失败的实现中,会先delete掉this的资源。
上述代码中用std::swap保证了自我赋值的正确性。当然你也可以自己写一个健壮的swap函数。
异常安全。当拷贝失败时,原有对象不可破坏。
上述代码中,拷贝发生在进入函数之前,提供了强烈的异常安全。同时编译器来完成拷贝比函数中手动拷贝更加高效。
ostream& operator<<(ostream& o, const CPerson& p){
    cout<<p.name<<endl;
    return o;
}
返回
ostream&也是为了支持链式调用:`cout<<p1<<p2;。
事实上,operator<<(int)是ostream的成员函数:
class ostream{
    ostream & operator<<(int n){
        // print n
        return *this;
    }
};
class Array{
int *ptr;
public:
    int size;
    Array(int n=64):size(n){
        ptr = new int[n];
    }
    Array(Array& old){
        new (this) A(old.size);
        memcpy(ptr, old.ptr, old.size * sizeof(int));
    }
    ~ Array(){
        delete [] ptr;
    }
    int& operator[](int i){
        return ptr[i];
    }
    const Array& operator= (const Array rhs){
        swap(*this, rhs);
        return *this;
    }
};
new
 (this) A()是“placement new”表达式,在已存在的内存上分配对象。自增、自减运算符分为前置运算符和后置运算符。虽然逻辑上都是一元的,但在定义重载方法时, C++规定:前置运算符有一个参数,后置运算符有两个参数。
当然第二个参数是没用的,只是为了生成不同的函数签名。
例如:
CPerson& operator++(CPerson&);
CPerson operator++(CPerson&, int);
可以看到后置自加运算符的返回值为CPerson,会在函数返回时生成一个新的对象,
 这是因为它的表达式值定义为自加之前的值。 因此,通常我们尽量使用前置的自加、自减运算符:
for(vector<int> i = v.begin(); i != v.end(); ++i);
基本数据类型到对象的转换是靠重载构造函数来实现的; 对象到基本数据类型的转换是靠重载强制转换运算符来实现的:
class CPerson{
    int age;
public:
    CPerson(int age_):age(age_){}
    operator int(){ 
        return n;
    }
};
CPerson p;
(int) p == p.int();
下面的例子展示了上述两种转换何时被调用:
CPerson p1(1);
cout<<p1 <<endl;      // p1.int()
cout<<p1 + 3<<endl;   // CPerson(3),p.int();
p1 = 3 + p1;          // p1.int(),CPerson(4)
除非注明,本博客文章均为原创,转载请以链接形式标明本文地址: http://harttle.com/2015/06/25/operator-overload.html
版权声明:本文为博主原创文章,转载请附上原文链接。
标签:
原文地址:http://blog.csdn.net/yangjvn/article/details/47751321