我想用python3编写一个自定义列表类,就像在这个问题How would I create a custom list class in python?中一样,但与该问题不同,我想实现__get__和{}方法。虽然我的类与list类似,但是这些方法背后隐藏着一些神奇的操作。所以我想处理这个变量,比如list,比如我程序的main(见下文)。我想知道,如何将__get__和__set__方法(分别是fget和{})从Foo类移动到{}类,从而只有一个类。在
我当前的解决方案(为了清晰起见,我还为每个操作添加了输出):class MyList:
def __init__(self, data=[]):
print('MyList.__init__')
self._mylist = data
def __getitem__(self, key):
print('MyList.__getitem__')
return self._mylist[key]
def __setitem__(self, key, item):
print('MyList.__setitem__')
self._mylist[key] = item
def __str__(self):
print('MyList.__str__')
return str(self._mylist)
class Foo:
def __init__(self, mylist=[]):
self._mylist = MyList(mylist)
def fget(self):
print('Foo.fget')
return self._mylist
def fset(self, data):
print('Foo.fset')
self._mylist = MyList(data)
mylist = property(fget, fset, None, 'MyList property')
if __name__ == '__main__':
foo = Foo([1, 2, 3])
# >>> MyList.__init__
print(foo.mylist)
# >>> Foo.fget
# >>> MyList.__str__
# >>> [1, 2, 3]
foo.mylist = [1, 2, 3, 4]
# >>> Foo.fset
# >>> MyList.__init__
print(foo.mylist)
# >>> Foo.fget
# >>> MyList.__str__
# >>> [1, 2, 3, 4]
foo.mylist[0] = 0
# >>> Foo.fget
# >>> MyList.__setitem__
print(foo.mylist[0])
# >>> Foo.fget
# >>> MyList.__getitem__
# >>> 0
提前谢谢你的帮助。在
如何将__get__和__set__方法(分别是fget和fset)从Foo类移动到MyList类,从而只有一个类?在
升级版:
非常感谢@Blckknght!我试着去理解他的答案,这对我很有效!这正是我所需要的。因此,我得到了以下代码:
^{pr2}$
我不知道,这是不是Python的方式,但它的工作方式如我所料。在