我创建了一个可以在常见数据结构中进行比较和排序的类。
问题是我想为类可以采用的最大值和最小值创建两个类常量。所以我可以调用这个值只是导入 MyClass 并编写
obj = MyClass.MY_MAX_CONSTANT
问题是不允许调用构造函数或init方法来初始化这些常量。
在 Java 中,这将被声明为静态并且可以工作,但我不知道如何使用构造函数/init 方法在 Python 中执行类/静态常量。没有找到太多的谷歌搜索,但有一些常量的通用配方和制作属性的建议。
我不需要一种机制来避免更改常量值,因为我绝对不会更改它。
我的第一次尝试是:
class MyClass(object):
MY_MAX_CONSTANT = MyClass(10,10)
MY_MIN_CONSTANT = MyClass(0,0)
def __init__(self, param1, param2): # Not the exact signature, but I think this works as an example
# We imagine some initialization work here
self.x = param1
self.y = param2
# SORT FUNCTIONS
def __cmp__(self, other):
# Implementation already made here
def __eq__(self, other):
# Implementation already made here
def __ne__(self, other):
# Implementation already made here
def __ge__(self, other):
# Implementation already made here
# And so on...
第二次尝试,通过对每个常量使用一些函数:
class MyClass(object):
def __init__(self, param1, param2): # Not the exact signature, but I think this works as an example
# We imagine some initialization work here
self.x = param1
self.y = param2
MY_MAX_CONSTANT = None
MY_MIN_CONSTANT = None
@staticmethod
def get_max(self):
if not MyClass.MY_MAX_CONSTANT:
MyClass.MY_MAX_CONSTANT = MyClass(10,10)
return MyClass.MY_MAX_CONSTANT
@staticmethod
def get_min(self):
if not MyClass.MY_MIN_CONSTANT:
MyClass.MY_MIN_CONSTANT = MyClass(0,0)
return MyClass.MY_MIN_CONSTANT
# SORT FUNCTIONS (I'm not writing them twice for spacing)
但我想避免奇怪的函数机制只用于制作两个常量。
我更喜欢上课而不是模块,因为它对我来说感觉更自然,但我听到了任何建议或建议。谁能给我一个更好的pythonic解决方案?
谢谢