Easy Tutorial
❮ Cpp Decision Cpp Overloading ❯

C++ Relational Operator Overloading

C++ Overloaded Operators and Functions

The C++ language supports various relational operators ( < , > , <= , >= , == , etc.), which can be used to compare C++ built-in data types.

You can overload any relational operator, and the overloaded relational operator can be used to compare objects of a class.

The following example demonstrates how to overload the < operator. Similarly, you can also try overloading other relational operators.

Example

#include <iostream>
using namespace std;

class Distance
{
   private:
      int feet;             // 0 to infinity
      int inches;           // 0 to 12
   public:
      // Required constructor
      Distance(){
         feet = 0;
         inches = 0;
      }
      Distance(int f, int i){
         feet = f;
         inches = i;
      }
      // Method to display distance
      void displayDistance()
      {
         cout << "F: " << feet << " I:" << inches <&lt;endl;
      }
      // Overloading the minus operator ( - )
      Distance operator- ()  
      {
         feet = -feet;
         inches = -inches;
         return Distance(feet, inches);
      }
      // Overloading the less than operator ( < )
      bool operator <(const Distance& d)
      {
         if(feet < d.feet)
         {
            return true;
         }
         if(feet == d.feet && inches < d.inches)
         {
            return true;
         }
         return false;
      }
};
int main()
{
   Distance D1(11, 10), D2(5, 11);

   if( D1 < D2 )
   {
      cout << "D1 is less than D2 " << endl;
   }
   else
   {
      cout << "D2 is less than D1 " << endl;
   }
   return 0;
}

When the above code is compiled and executed, it produces the following result:

D2 is less than D1

C++ Overloaded Operators and Functions

❮ Cpp Decision Cpp Overloading ❯