Some of the assignment overloading operator examples I see online look like this:
#include <iostream>
using namespace std;
class Distance {
   private:
      int feet;             // 0 to infinite
      int inches;           // 0 to 12
   public:
      // required constructors
      Distance(){
         feet = 0;
         inches = 0;
      }
      Distance(int f, int i){
         feet = f;
         inches = i;
      }
      void operator = (const Distance &D ) { 
         cout << "assigning..." << endl;
         feet = D.feet;
         inches = D.inches;
      }
      // method to display distance
      void displayDistance() {
         cout << "F: " << feet <<  " I:" <<  inches << endl;
      }
};
int main() {
   Distance D1(11, 10), D2(5, 11);
   cout << "First Distance : "; 
   D1.displayDistance();
   cout << "Second Distance :"; 
   D2.displayDistance();
   // use assignment operator
   D1 = D2;
   cout << "First Distance :"; 
   D1.displayDistance();
   return 0;
}
They return void from the overloaded function. This makes sense to me if D1 is the object being called.
Other examples return a reference to a class object.
#include <iostream>
using namespace std;
class Distance {
   private:
      int feet;             // 0 to infinite
      int inches;           // 0 to 12
   public:
      // required constructors
      Distance(){
         feet = 0;
         inches = 0;
      }
      Distance(int f, int i){
         feet = f;
         inches = i;
      }
      Distance& operator = (const Distance &D ) { 
         cout << "assigning..." << endl;
         feet = D.feet;
         inches = D.inches;
         return *this;
      }
      // method to display distance
      void displayDistance() {
         cout << "F: " << feet <<  " I:" <<  inches << endl;
      }
};
int main() {
   Distance D1(11, 10), D2(5, 11);
   cout << "First Distance : "; 
   D1.displayDistance();
   cout << "Second Distance :"; 
   D2.displayDistance();
   // use assignment operator
   D1 = D2;
   cout << "First Distance :"; 
   D1.displayDistance();
   return 0;
}
This does not make sense to me (when taking the first example into consideration).  If in the first example D1 = D2; invokes something like D1.=(D2);, why would the second example work in that case?  Is it something like D1 = D1.=(D2);?  And does it make any difference at the end of the day?
 
     
    