English | 简体中文 | 繁體中文 | Русский язык | Français | Español | Português | Deutsch | 日本語 | 한국어 | Italiano | بالعربية
C++ Operator Overloading and Overloaded Functions
C++ The 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 the class.
The following example demonstrates how to overload the < operator, similarly, you can also try to overload other relational operators.
#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 << endl; } // Overload the negative operator ( - ) Distance operator- () { feet = -feet; inches = -inches; return Distance(feet, inches); } // Overload 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 << "D1Less than D2 " << endl; } else { cout << "D2Less than D1 " << endl; } return 0; }
When the above code is compiled and executed, it will produce the following result:
D2Less than D1