What are the basic rules and idioms for operator overloading?

Note: The answers were given in a specific order, but since many users sort answers according to votes, rather than the time they were given, here's an index of the answers in the order in which they make most sense:

  • The General Syntax of operator overloading in C++
  • The Three Basic Rules of Operator Overloading in C++
  • The Decision between Member and Non-member
  • Common operators to overload
  • Assignment Operator
  • Input and Output Operators
  • Function call operator
  • Comparison operators
  • Arithmetic Operators
  • Array Subscripting
  • Operators for Pointer-like Types
  • Conversion Operators
  • Overloading new and delete
  • (Note: This is meant to be an entry to Stack Overflow's C++ FAQ. If you want to critique the idea of providing an FAQ in this form, then the posting on meta that started all this would be the place to do that. Answers to that question are monitored in the C++ chatroom, where the FAQ idea started out in the first place, so your answer is very likely to get read by those who came up with the idea.)


    Common operators to overload

    Most of the work in overloading operators is boiler-plate code. That is little wonder, since operators are merely syntactic sugar, their actual work could be done by (and often is forwarded to) plain functions. But it is important that you get this boiler-plate code right. If you fail, either your operator's code won't compile or your users' code won't compile or your users' code will behave surprisingly.

    Assignment Operator

    There's a lot to be said about assignment. However, most of it has already been said in GMan's famous Copy-And-Swap FAQ, so I'll skip most of it here, only listing the perfect assignment operator for reference:

    X& X::operator=(X rhs)
    {
      swap(rhs);
      return *this;
    }
    

    Bitshift Operators (used for Stream I/O)

    The bitshift operators << and >> , although still used in hardware interfacing for the bit-manipulation functions they inherit from C, have become more prevalent as overloaded stream input and output operators in most applications. For guidance overloading as bit-manipulation operators, see the section below on Binary Arithmetic Operators. For implementing your own custom format and parsing logic when your object is used with iostreams, continue.

    The stream operators, among the most commonly overloaded operators, are binary infix operators for which the syntax specifies no restriction on whether they should be members or non-members. Since they change their left argument (they alter the stream's state), they should, according to the rules of thumb, be implemented as members of their left operand's type. However, their left operands are streams from the standard library, and while most of the stream output and input operators defined by the standard library are indeed defined as members of the stream classes, when you implement output and input operations for your own types, you cannot change the standard library's stream types. That's why you need to implement these operators for your own types as non-member functions. The canonical forms of the two are these:

    std::ostream& operator<<(std::ostream& os, const T& obj)
    {
      // write obj to stream
    
      return os;
    }
    
    std::istream& operator>>(std::istream& is, T& obj)
    {
      // read obj from stream
    
      if( /* no valid object of T found in stream */ )
        is.setstate(std::ios::failbit);
    
      return is;
    }
    

    When implementing operator>> , manually setting the stream's state is only necessary when the reading itself succeeded, but the result is not what would be expected.

    Function call operator

    The function call operator, used to create function objects, also known as functors, must be defined as a member function, so it always has the implicit this argument of member functions. Other than this it can be overloaded to take any number of additional arguments, including zero.

    Here's an example of the syntax:

    class foo {
    public:
        // Overloaded call operator
        int operator()(const std::string& y) {
            // ...
        }
    };
    

    Usage:

    foo f;
    int a = f("hello");
    

    Throughout the C++ standard library, function objects are always copied. Your own function objects should therefore be cheap to copy. If a function object absolutely needs to use data which is expensive to copy, it is better to store that data elsewhere and have the function object refer to it.

    Comparison operators

    The binary infix comparison operators should, according to the rules of thumb, be implemented as non-member functions1. The unary prefix negation ! should (according to the same rules) be implemented as a member function. (but it is usually not a good idea to overload it.)

    The standard library's algorithms (eg std::sort() ) and types (eg std::map ) will always only expect operator< to be present. However, the users of your type will expect all the other operators to be present, too, so if you define operator< , be sure to follow the third fundamental rule of operator overloading and also define all the other boolean comparison operators. The canonical way to implement them is this:

    inline bool operator==(const X& lhs, const X& rhs){ /* do actual comparison */ }
    inline bool operator!=(const X& lhs, const X& rhs){return !operator==(lhs,rhs);}
    inline bool operator< (const X& lhs, const X& rhs){ /* do actual comparison */ }
    inline bool operator> (const X& lhs, const X& rhs){return  operator< (rhs,lhs);}
    inline bool operator<=(const X& lhs, const X& rhs){return !operator> (lhs,rhs);}
    inline bool operator>=(const X& lhs, const X& rhs){return !operator< (lhs,rhs);}
    

    The important thing to note here is that only two of these operators actually do anything, the others are just forwarding their arguments to either of these two to do the actual work.

    The syntax for overloading the remaining binary boolean operators ( || , && ) follows the rules of the comparison operators. However, it is very unlikely that you would find a reasonable use case for these2.

    1 As with all rules of thumb, sometimes there might be reasons to break this one, too. If so, do not forget that the left-hand operand of the binary comparison operators, which for member functions will be *this , needs to be const , too. So a comparison operator implemented as a member function would have to have this signature:

    bool operator<(const X& rhs) const { /* do actual comparison with *this */ }
    

    (Note the const at the end.)

    2 It should be noted that the built-in version of || and && use shortcut semantics. While the user defined ones (because they are syntactic sugar for method calls) do not use shortcut semantics. User will expect these operators to have shortcut semantics, and their code may depend on it, Therefore it is highly advised NEVER to define them.

    Arithmetic Operators

    Unary arithmetic operators

    The unary increment and decrement operators come in both prefix and postfix flavor. To tell one from the other, the postfix variants take an additional dummy int argument. If you overload increment or decrement, be sure to always implement both prefix and postfix versions. Here is the canonical implementation of increment, decrement follows the same rules:

    class X {
      X& operator++()
      {
        // do actual increment
        return *this;
      }
      X operator++(int)
      {
        X tmp(*this);
        operator++();
        return tmp;
      }
    };
    

    Note that the postfix variant is implemented in terms of prefix. Also note that postfix does an extra copy.2

    Overloading unary minus and plus is not very common and probably best avoided. If needed, they should probably be overloaded as member functions.

    2 Also note that the postfix variant does more work and is therefore less efficient to use than the prefix variant. This is a good reason to generally prefer prefix increment over postfix increment. While compilers can usually optimize away the additional work of postfix increment for built-in types, they might not be able to do the same for user-defined types (which could be something as innocently looking as a list iterator). Once you got used to do i++ , it becomes very hard to remember to do ++i instead when i is not of a built-in type (plus you'd have to change code when changing a type), so it is better to make a habit of always using prefix increment, unless postfix is explicitly needed.

    Binary arithmetic operators

    For the binary arithmetic operators, do not forget to obey the third basic rule operator overloading: If you provide + , also provide += , if you provide - , do not omit -= , etc. Andrew Koenig is said to have been the first to observe that the compound assignment operators can be used as a base for their non-compound counterparts. That is, operator + is implemented in terms of += , - is implemented in terms of -= etc.

    According to our rules of thumb, + and its companions should be non-members, while their compound assignment counterparts ( += etc.), changing their left argument, should be a member. Here is the exemplary code for += and + , the other binary arithmetic operators should be implemented in the same way:

    class X {
      X& operator+=(const X& rhs)
      {
        // actual addition of rhs to *this
        return *this;
      }
    };
    inline X operator+(X lhs, const X& rhs)
    {
      lhs += rhs;
      return lhs;
    }
    

    operator+= returns its result per reference, while operator+ returns a copy of its result. Of course, returning a reference is usually more efficient than returning a copy, but in the case of operator+ , there is no way around the copying. When you write a + b , you expect the result to be a new value, which is why operator+ has to return a new value.3 Also note that operator+ takes its left operand by copy rather than by const reference. The reason for this is the same as the reason giving for operator= taking its argument per copy.

    The bit manipulation operators ~ & | ^ << >> should be implemented in the same way as the arithmetic operators. However, (except for overloading << and >> for output and input) there are very few reasonable use cases for overloading these.

    3 Again, the lesson to be taken from this is that a += b is, in general, more efficient than a + b and should be preferred if possible.

    Array Subscripting

    The array subscript operator is a binary operator which must be implemented as a class member. It is used for container-like types that allow access to their data elements by a key. The canonical form of providing these is this:

    class X {
            value_type& operator[](index_type idx);
      const value_type& operator[](index_type idx) const;
      // ...
    };
    

    Unless you do not want users of your class to be able to change data elements returned by operator[] (in which case you can omit the non-const variant), you should always provide both variants of the operator.

    If value_type is known to refer to a built-in type, the const variant of the operator should return a copy instead of a const reference.

    Operators for Pointer-like Types

    For defining your own iterators or smart pointers, you have to overload the unary prefix dereference operator * and the binary infix pointer member access operator -> :

    class my_ptr {
            value_type& operator*();
      const value_type& operator*() const;
            value_type* operator->();
      const value_type* operator->() const;
    };
    

    Note that these, too, will almost always need both a const and a non-const version. For the -> operator, if value_type is of class (or struct or union ) type, another operator->() is called recursively, until an operator->() returns a value of non-class type.

    The unary address-of operator should never be overloaded.

    For operator->*() see this question. It's rarely used and thus rarely ever overloaded. In fact, even iterators do not overload it.


    Continue to Conversion Operators


    The Three Basic Rules of Operator Overloading in C++

    When it comes to operator overloading in C++, there are three basic rules you should follow . As with all such rules, there are indeed exceptions. Sometimes people have deviated from them and the outcome was not bad code, but such positive deviations are few and far between. At the very least, 99 out of 100 such deviations I have seen were unjustified. However, it might just as well have been 999 out of 1000. So you'd better stick to the following rules.

  • Whenever the meaning of an operator is not obviously clear and undisputed, it should not be overloaded. Instead, provide a function with a well-chosen name.
    Basically, the first and foremost rule for overloading operators, at its very heart, says: Don't do it. That might seem strange, because there is a lot to be known about operator overloading and so a lot of articles, book chapters, and other texts deal with all this. But despite this seemingly obvious evidence, there are only a surprisingly few cases where operator overloading is appropriate. The reason is that actually it is hard to understand the semantics behind the application of an operator unless the use of the operator in the application domain is well known and undisputed. Contrary to popular belief, this is hardly ever the case.

  • Always stick to the operator's well-known semantics.
    C++ poses no limitations on the semantics of overloaded operators. Your compiler will happily accept code that implements the binary + operator to subtract from its right operand. However, the users of such an operator would never suspect the expression a + b to subtract a from b . Of course, this supposes that the semantics of the operator in the application domain is undisputed.

  • Always provide all out of a set of related operations.
    Operators are related to each other and to other operations. If your type supports a + b , users will expect to be able to call a += b , too. If it supports prefix increment ++a , they will expect a++ to work as well. If they can check whether a < b , they will most certainly expect to also to be able to check whether a > b . If they can copy-construct your type, they expect assignment to work as well.


  • Continue to The Decision between Member and Non-member.


    The General Syntax of operator overloading in C++

    You cannot change the meaning of operators for built-in types in C++, operators can only be overloaded for user-defined types1. That is, at least one of the operands has to be of a user-defined type. As with other overloaded functions, operators can be overloaded for a certain set of parameters only once.

    Not all operators can be overloaded in C++. Among the operators that cannot be overloaded are: . :: sizeof typeid .* and the only ternary operator in C++, ?:

    Among the operators that can be overloaded in C++ are these:

  • arithmetic operators: + - * / % and += -= *= /= %= (all binary infix); + - (unary prefix); ++ -- (unary prefix and postfix)
  • bit manipulation: & | ^ << >> and &= |= ^= <<= >>= (all binary infix); ~ (unary prefix)
  • boolean algebra: == != < > <= >= || && (all binary infix); ! (unary prefix)
  • memory management: new new[] delete delete[]
  • implicit conversion operators
  • miscellany: = [] -> ->* , (all binary infix); * & (all unary prefix) () (function call, n-ary infix)
  • However, the fact that you can overload all of these does not mean you should do so. See the basic rules of operator overloading.

    In C++, operators are overloaded in the form of functions with special names . As with other functions, overloaded operators can generally be implemented either as a member function of their left operand's type or as non-member functions . Whether you are free to choose or bound to use either one depends on several criteria.2 A unary operator @ 3, applied to an object x, is invoked either as operator@(x) or as x.operator@() . A binary infix operator @ , applied to the objects x and y , is called either as operator@(x,y) or as x.operator@(y) .4

    Operators that are implemented as non-member functions are sometimes friend of their operand's type.

    1 The term “user-defined” might be slightly misleading. C++ makes the distinction between built-in types and user-defined types. To the former belong for example int, char, and double; to the latter belong all struct, class, union, and enum types, including those from the standard library, even though they are not, as such, defined by users.

    2 This is covered in a later part of this FAQ.

    3 The @ is not a valid operator in C++ which is why I use it as a placeholder.

    4 The only ternary operator in C++ cannot be overloaded and the only n-ary operator must always be implemented as a member function.


    Continue to The Three Basic Rules of Operator Overloading in C++.

    链接地址: http://www.djcxy.com/p/208.html

    上一篇: 什么是C ??!??! 运营商呢?

    下一篇: 运算符重载的基本规则和习惯用法是什么?