29

我正在尝试创建一个返回值而不是自我的类。

我将向您展示一个与列表进行比较的示例:

>>> l = list()
>>> print(l)
[]
>>> class MyClass:
>>>     pass

>>> mc = MyClass()
>>> print mc
<__main__.MyClass instance at 0x02892508>

我需要 MyClass 返回一个列表,list()而不是实例信息。我知道我可以创建列表的子类。但是有没有办法在没有子类的情况下做到这一点?

我想模仿一个列表(或其他对象):

>>> l1 = list()
>>> l2 = list()
>>> l1
[]
>>> l2
[]
>>> l1 == l2
True
>>> class MyClass():
def __repr__(self):
    return '[]'


>>> m1 = MyClass()
>>> m2 = MyClass()
>>> m1
[]
>>> m2
[]
>>> m1 == m2
False

为什么是m1 == m2假的?这就是问题。

如果我没有回复你们所有人,我很抱歉。我正在尝试你给我的所有解决方案。我不能使用def,因为我需要使用 setitem、getitem 等函数。

4

6 回答 6

45

我认为您对正在发生的事情感到非常困惑。

在 Python 中,一切都是对象:

  • [](列表)是一个对象
  • 'abcde'(字符串)是一个对象
  • 1(整数)是一个对象
  • MyClass()(一个实例)是一个对象
  • MyClass(一个类)也是一个对象
  • list(一个类型——很像一个类)也是一个对象

它们都是“价值”,因为它们是事物而不是指称事物的名称。(变量是引用值的名称。)值与 Python 中的对象没有什么不同。

当您调用一个类对象(如MyClass()or list())时,它会返回该类的一个实例。(list实际上是一个类型而不是一个类,但我在这里简化了一点。)

当您打印一个对象(即获取一个对象的字符串表示)时,会调用该对象的__str____repr__魔术方法并打印返回值。

例如:

>>> class MyClass(object):
...     def __str__(self):
...             return "MyClass([])"
...     def __repr__(self):
...             return "I am an instance of MyClass at address "+hex(id(self))
... 
>>> m = MyClass()
>>> print m
MyClass([])
>>> m
I am an instance of MyClass at address 0x108ed5a10
>>> 

所以你所要求的,“我需要 MyClass 返回一个列表,比如 list(),而不是实例信息,”没有任何意义。 list()返回一个列表实例。MyClass()返回一个 MyClass 实例。如果你想要一个列表实例,只需获取一个列表实例。如果问题是这些对象在您使用它们或在控制台中查看它们时是什么样子print,那么创建一个__str__and__repr__方法来表示它们,因为您希望它们被表示。

更新关于平等的新问题

再一次,__str__并且__repr__仅用于打印,不以任何其他方式影响对象。仅仅因为两个对象具有相同的__repr__值并不意味着它们相等!

MyClass() != MyClass()因为你的类没有定义它们如何相等,所以它回退到默认行为(object类型),即对象只等于它们自己:

>>> m = MyClass()
>>> m1 = m
>>> m2 = m
>>> m1 == m2
True
>>> m3 = MyClass()
>>> m1 == m3
False

如果要更改此设置,请使用比较魔术方法之一

例如,您可以拥有一个等于一切的对象:

>>> class MyClass(object):
...     def __eq__(self, other):
...             return True
... 
>>> m1 = MyClass()
>>> m2 = MyClass()
>>> m1 == m2
True
>>> m1 == m1
True
>>> m1 == 1
True
>>> m1 == None
True
>>> m1 == []
True

我认为你应该做两件事:

  1. 看看这个在 Python 中使用魔法方法的指南
  2. list如果您想要的非常类似于列表,请证明您为什么不进行子类化。如果子类化不合适,您可以委托给一个包装的列表实例:

    class MyClass(object):
        def __init__(self):
            self._list = []
        def __getattr__(self, name):
            return getattr(self._list, name)
    
        # __repr__ and __str__ methods are automatically created
        # for every class, so if we want to delegate these we must
        # do so explicitly
        def __repr__(self):
            return "MyClass(%s)" % repr(self._list)
        def __str__(self):
            return "MyClass(%s)" % str(self._list)
    

    现在这将像一个列表而不是一个列表(即,没有子类化list)。

    >>> c = MyClass()
    >>> c.append(1)
    >>> c
    MyClass([1])
    
于 2012-09-13T19:08:15.507 回答
40

如果你想要的是一种将你的类变成一种没有子类化的列表list的方法,那么只需创建一个返回列表的方法:

def MyClass():
    def __init__(self):
        self.value1 = 1
        self.value2 = 2

    def get_list(self):
        return [self.value1, self.value2...]


>>>print MyClass().get_list()
[1, 2...]

如果您的意思是print MyClass()打印一个列表,只需覆盖__repr__

class MyClass():        
    def __init__(self):
        self.value1 = 1
        self.value2 = 2

    def __repr__(self):
        return repr([self.value1, self.value2])

编辑:我看到你的意思是如何让对象比较。为此,您覆盖该__cmp__方法。

class MyClass():
    def __cmp__(self, other):
        return cmp(self.get_list(), other.get_list())
于 2012-09-13T18:49:31.420 回答
16

用于__new__从类返回值。

正如其他人所建议的那样__repr____str__甚至__init__(以某种方式)可以给您想要的东西,但是__new__对于您的目的而言,这将是一个语义上更好的解决方案,因为您希望返回实际对象而不仅仅是它的字符串表示形式。

阅读此答案以了解更多信息__str____repr__ https://stackoverflow.com/a/19331543/4985585

class MyClass():
    def __new__(cls):
        return list() #or anything you want

>>> MyClass()
[]   #Returns a true list not a repr or string
于 2016-06-14T04:00:27.287 回答
9
class MyClass():
    def __init__(self, a, b):
        self.value1 = a
        self.value2 = b

    def __call__(self):
        return [self.value1, self.value2]

测试:

>>> x = MyClass('foo','bar')
>>> x()
['foo', 'bar']
于 2013-10-26T02:23:26.977 回答
4

您正在描述一个函数,而不是一个类。

def Myclass():
    return []
于 2012-09-13T18:31:26.697 回答
0

对我来说有效的命题是__call__在创建小数字列表的课堂上:

import itertools
    
class SmallNumbers:
    def __init__(self, how_much):
        self.how_much = int(how_much)
        self.work_list = ['₀', '₁', '₂', '₃', '₄', '₅', '₆', '₇', '₈', '₉']
        self.generated_list = ['₀', '₁', '₂', '₃', '₄', '₅', '₆', '₇', '₈', '₉']
        start = 10
        end = 100
        for cmb in range(2, len(str(self.how_much)) + 1):
            self.ListOfCombinations(is_upper_then=start, is_under_then=end, combinations=cmb)
            start *= 10
            end *= 10

    def __call__(self, number, *args, **kwargs):
        return self.generated_list[number]

    def ListOfCombinations(self, is_upper_then, is_under_then, combinations):
        multi_work_list = eval(str('self.work_list,') * combinations)
        nbr = 0
        for subset in itertools.product(*multi_work_list):
            if is_upper_then <= nbr < is_under_then:
                self.generated_list.append(''.join(subset))
                if self.how_much == nbr:
                    break
            nbr += 1

并运行它:

if __name__ == '__main__':
        sm = SmallNumbers(56)
        print(sm.generated_list)
        print(sm.generated_list[34], sm.generated_list[27], sm.generated_list[10])
        print('The Best', sm(15), sm(55), sm(49), sm(0))

结果

['₀', '₁', '₂', '₃', '₄', '₅', '₆', '₇', '₈', '₉', '₁₀', '₁₁', '₁₂', '₁₃', '₁₄', '₁₅', '₁₆', '₁₇', '₁₈', '₁₉', '₂₀', '₂₁', '₂₂', '₂₃', '₂₄', '₂₅', '₂₆', '₂₇', '₂₈', '₂₉', '₃₀', '₃₁', '₃₂', '₃₃', '₃₄', '₃₅', '₃₆', '₃₇', '₃₈', '₃₉', '₄₀', '₄₁', '₄₂', '₄₃', '₄₄', '₄₅', '₄₆', '₄₇', '₄₈', '₄₉', '₅₀', '₅₁', '₅₂', '₅₃', '₅₄', '₅₅', '₅₆']
₃₄ ₂₇ ₁₀
The Best ₁₅ ₅₅ ₄₉ ₀
于 2020-04-11T23:30:37.513 回答