我正在尝试使用Python进入元类编程,我想知道如何使用元类限制属性类型.使用描述符很容易,但是元类呢?
这是一个简短的例子:
>>> class Image(Object):
... height = 0
... width = 0
... path = '/tmp'
... size = 0
>>> img = Image()
>>> img.height = 340
>>> img.height
340
>>> img.path = '/tmp/x00.jpeg'
>>> img.path
'/tmp/x00.jpeg'
>>> img.path = 320
Traceback (most recent call last):
...
TypeError
Run Code Online (Sandbox Code Playgroud)
Python版本是2.7
只需覆盖__setattr__元类,并在初始化期间检查每个属性的默认类型:
>>> class Meta(type):
def __new__(meta, name, bases, dict):
def _check(self, attr, value):
if attr in self.defaults:
if not isinstance(value, self.defaults[attr]):
raise TypeError('%s cannot be %s' % (attr, type(value)))
else:
self.defaults[attr] = type(value)
def _setattr(self, attr, value):
_check(self, attr, value)
object.__setattr__(self, attr, value)
cls = type.__new__(meta, name, bases, dict)
# Set up default type for every attribute
cls.defaults = {name: type(value) for name, value in dict.items()}
cls.__setattr__ = _setattr
return cls
>>> class Image(object):
__metaclass__ = Meta
height = 0
width = 0
path = '/tmp'
size = 0
>>> i = Image()
>>> i.height = 240
>>> i.height
240
>>> i.size
0
>>> i.size = 7
>>> i.size
7
>>> i.path = '/tmp/subdir'
>>> i.path
'/tmp/subdir'
>>> i.path = 23
TypeError: path cannot be <type 'int'>
Run Code Online (Sandbox Code Playgroud)
替代(也许更优雅)的方法:
class MetaBase(object):
def _check(self, attr, value):
if attr in self.defaults:
if not isinstance(value, self.defaults[attr]):
raise TypeError('%s cannot be %s' % (attr, type(value)))
else:
self.defaults[attr] = type(value)
def __setattr__(self, attr, value):
self._check(attr, value)
super(MetaBase, self).__setattr__(attr, value)
class Meta(type):
def __new__(meta, name, bases, dict):
cls = type.__new__(meta, name, (MetaBase,) + bases, dict)
cls.defaults = {name: type(value) for name, value in dict.items()}
return cls
class Image(object):
__metaclass__ = Meta
height = 0
width = 0
path = '/tmp'
size = 0
Run Code Online (Sandbox Code Playgroud)
行为与以前相同