我写了一个程序,其中有一段是这样的:
class Detector(Enum):
BBO = "BBO"
DECIGO = "DECIGO"
@property
def ell_max(self) -> int:
ell_max = {
Detector.BBO: 30,
Detector.DECIGO: 30,
}
return ell_max[self]
我现在需要在一个循环中改变 ell_max 的值,也就是不设置为 30 了,而是设置成其他值。我尝试过定义一个 def set_ell_max(self, ell_max) 但最终失败了。我的失败品如下:
class Detector(Enum):
BBO = "BBO"
DECIGO = "DECIGO"
_ell_max_values = {
DECIGO: 30,
BBO: 30,
}
@property
def ell_max(self) -> int:
return self._ell_max_values[self]
def set_ell_max(self, value: int):
self._ell_max_values[self] = value
这种情况下,当我使用 Detector.BBO.ell_max 的时候,会提示 ```TypeError: 'Detector' object is not subscriptable
请问各位大哥,我该怎么处理呀?
3
yanyuechuixue OP |
4
lyxxxh2 5 小时 54 分钟前 1
虽然我没用过 Python 的 Enum, 但是找 self 下标??? 第一次见。
``` def set_ell_max(self, value: int): self._ell_max_values[DECIGO] = value return self ``` |
5
ma46 5 小时 26 分钟前 1
私有名称才不会转为枚举类型, 所以变量名要用双下划线
class Detector(Enum): BBO = "BBO" DECIGO = "DECIGO" __ell_max_values = { DECIGO: 30, BBO: 30, } @property def ell_max(self) -> int: print(self.__ell_max_values) return self.__ell_max_values[self.value] def set_ell_max(self, value: int): self.__ell_max_values[self.value] = value |
6
yanyuechuixue OP |