jss*_*367 3 python python-3.x python-dataclasses
我有一个用于边界框坐标的类,我想将其转换为数据类,但我无法弄清楚如何像在普通类中那样使用类方法设置属性。这是正常的类:
class BBoxCoords:
"""Class for bounding box coordinates"""
def __init__(self, top_left_x: float, top_left_y: float, bottom_right_x: float, bottom_right_y: float):
self.top_left_x = top_left_x
self.top_left_y = top_left_y
self.bottom_right_x = bottom_right_x
self.bottom_right_y = bottom_right_y
self.height = self.get_height()
def get_height(self) -> float:
return self.bottom_right_y - self.top_left_y
Run Code Online (Sandbox Code Playgroud)
这就是我想要它做的事情:
bb = BBoxCoords(1, 1, 5, 5)
bb.height
> 4
Run Code Online (Sandbox Code Playgroud)
这正是我想要的。我尝试用数据类做同样的事情
from dataclasses import dataclass
@dataclass
class BBoxCoords:
"""Class for bounding box coordinates"""
top_left_x: float
top_left_y: float
bottom_right_x: float
bottom_right_y: float
height = self.get_height()
def get_height(self) -> float:
return self.bottom_right_y - self.top_left_y
Run Code Online (Sandbox Code Playgroud)
但当self我尝试使用它时没有定义,所以我得到一个 NameError。使用数据类执行此操作的正确方法是什么?我知道我能做到
bb = BBoxCoords(1, 1, 5, 5)
bb.get_height()
> 4
Run Code Online (Sandbox Code Playgroud)
但我宁愿调用属性而不是方法。
对于这种事情,您需要__post_init__,它将在 后__init__运行。另外,请确保height未在 中设置__init__,因此:
from dataclasses import dataclass, field
@dataclass
class BBoxCoords:
"""Class for bounding box coordinates"""
top_left_x: float
top_left_y: float
bottom_right_x: float
bottom_right_y: float
height: float = field(init=False)
def __post_init__(self):
self.height = self.get_height()
def get_height(self) -> float:
return self.bottom_right_y - self.top_left_y
Run Code Online (Sandbox Code Playgroud)
行动中:
In [1]: from dataclasses import dataclass, field
...:
...: @dataclass
...: class BBoxCoords:
...: """Class for bounding box coordinates"""
...: top_left_x: float
...: top_left_y: float
...: bottom_right_x: float
...: bottom_right_y: float
...: height: float = field(init=False)
...:
...: def __post_init__(self):
...: self.height = self.get_height()
...:
...: def get_height(self) -> float:
...: return self.bottom_right_y - self.top_left_y
...:
In [2]: BBoxCoords(1, 1, 5, 5)
Out[2]: BBoxCoords(top_left_x=1, top_left_y=1, bottom_right_x=5, bottom_right_y=5, height=4)
Run Code Online (Sandbox Code Playgroud)