Most object oriented languages have a means to compare two objects or
classes. Java has the **Comparator
class Sample():
def __init__(self):
self.name = ""
self.age = 0
def __eq__(self, other):
return (self.name == other.name and
self.age == other.age)
The above class has a constructor method as defined by __init__ that sets up two properties named name and age. It then defines the __eq__ magic method. This is called automatically when you attempt to compare the equality of two objects of type Sample like so.
a = Sample()
a.name = "Bob"
a.age = 11
b = Sample()
b.name = "Julia"
b.age = 12
result = (a == b)
print result
The result of this comparison will be False as the two objects do not have the same name and age properties. And that is how you compare class objects in Python. Cheers, and happy coding!