Go 支持运算符重载吗?
假设有一个学生结构体(面向对象中的类),拥有名字和年龄两个字段。现在想仅根据年龄的大小来判断学生的大小和相等关系。这个需求很简单,一个方法就可以搞定。那是否可以用 = != > < >= <= 这四个运算符来直接对实例进行比较呢? 先看一下 Python 中怎样实现: class Student: def __init__(self, name: str, score: int) : self.name = name self.score = score def __eq__(self, other): # equal if isinstance(other, Student): return self.score == other.score else: raise TypeError(type(other)) def __lt__(self, other): # less than if isinstance(other, Student): return self.score < other.score else: raise TypeError(type(other)) def __gt__(self, other): # greater than if isinstance(other, Student): return self.score > other.score else: raise TypeError(type(other)) def __le__(self, other): # less equal if isinstance(other, Student): return self.score <= other.score else: raise TypeError(type(other)) def __ge__(self, other): # greater equal if isinstance(other, Student): return self.score >= other.score else: raise TypeError(type(other)) if __name__ == '__main__': s1 = Student("Paul", 88) s2 = Student("Tom", 88) print(s1 >= s2) print(s1 <= s2) print(s1 < s2) print(s1 == s2) 借助双下方法,我们可以轻松实现。 ...