6

我需要一个整数类,它的值可以在创建对象后更改。我需要这个类来定义一个首先以毫米为单位的尺寸。稍后当创建用户界面时,我从设备上下文中得到一个将毫米转换为像素的因子。这个因素应该将我的对象的毫米值更改为像素值。

我试图继承 int (参见increment int object),但 int 是不可变的,所以我不能改变它的值。

class UiSize(int):
    def __new__(cls, value=0):
        i = int.__new__(cls, value)
        i._orig_value = value
        return i

    def set_px_per_mm(self, px_per_mm):
        pixel_value = int(round(self._orig_value * px_per_mm))
        print "pixel_value", pixel_value
        # how to set the new pixel_value to the object's value ?

s = UiSize(500)
s.set_px_per_mm(300.0 / 500.0)
print "1px + 500mm =", 1 + s, "px" # the result should be 301 pixels

增量 int 对象的答案是使用所有 int 方法构建我自己的类。所以我尝试了这个:

class UiSize2(object):
    def __init__(self, value=0):
        self._int_value = int(value)

    def __add__(self, other):
        return self._int_value.__add__(other)

    def set_px_per_mm(self, px_per_mm):
        self._int_value = int(round(self._int_value * px_per_mm))

s = UiSize2(500)
s.set_px_per_mm(300.0 / 500.0)
print "500mm + 1 =", s + 1, "px"

我为's + 1'工作,但对于'1 + s'我得到一个TypeError:

>>> print "1 + 500mm =", 1 + s, "px"
TypeError: unsupported operand type(s) for +: 'int' and 'UiSize2'
4

2 回答 2

6

__radd__当您的自定义类型位于添加的右侧时,您需要定义魔术方法(“右添加”)来控制行为。您需要对 , 等执行相同__rmul__操作__rsub__以提供所有操作的右手版本。

于 2012-10-06T20:07:04.370 回答
1

使用幅度包,您可以像这样处理单位转换:

import magnitude
mg = magnitude.mg
new_mag = magnitude.new_mag

s = mg(500, 'mm')    # s is 500mm

# Define a pixel unit; 300 px = 500 mm
new_mag('px', mg(500.0/300.0, 'mm'))

p = mg(1, 'px')      # p is 1 px

print('500mm + 1px = {u}'.format(u = (s + p).ounit('px')))
# 500mm + 1px = 301.0000 px
print('500mm + 1px = {u}'.format(u = (s + p).ounit('mm')))    
# 500mm + 1px = 501.6667 mm
于 2012-10-06T20:17:55.120 回答