鱼cpython学习者 发表于 2020-8-15 15:22:02

为什么出现了错误

class Nstr(str):
      def __str__(self):
                print('str方法被调用了!')
                return '__str__:{}'.format(self)
      def __repr__(self):
                print('repr方法被调用了!')
                return '__repr__:{}'.format(self)

>>>s = Nstr('hello')
repr方法被调用了!
str方法被调用了!
str方法被调用了!
str方法被调用了!
...
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "<stdin>", line 7, in __repr__
File "<stdin>", line 4, in __str__
File "<stdin>", line 4, in __str__
File "<stdin>", line 4, in __str__

File "<stdin>", line 3, in __str__
RecursionError: maximum recursion depth exceeded while calling a Python object

为什么会出现递归错误?

zltzlt 发表于 2020-8-15 15:25:09

因为你 '__repr__:{}'.format(self) 会调用 str(self),而 __str__ 方法中的 '__str__:{}'.format(self) 又会调用 str(self),无限递归所以报错了。

这样即可:

class Nstr(str):
      def __str__(self):
                print('str方法被调用了!')
                return '__str__'
      def __repr__(self):
                print('repr方法被调用了!')
                return '__repr__'

鱼cpython学习者 发表于 2020-8-15 15:47:27

zltzlt 发表于 2020-8-15 15:25
因为你 '__repr__:{}'.format(self) 会调用 str(self),而 __str__ 方法中的 '__str__:{}'.format(self) 又 ...

我更改了代码,新的问题又出现了:

class Nstr(str):
        def __str__(self):
                print('str方法被调用了!')
                return 'str'
        def __repr__(self):
                print('repr方法被调用了!')
                return 'repr'

>>>a = Nstr('hello')
str方法被调用了!
str方法被调用了!
>>>a
repr方法被调用了!
repr
repr方法被调用了!
str方法被调用了!
repr方法被调用了!
str方法被调用了!

为什么两个方法反复被调用了多次,但返回的次数却那么少呢?

永恒的蓝色梦想 发表于 2020-8-15 15:58:08

鱼cpython学习者 发表于 2020-8-15 15:47
我更改了代码,新的问题又出现了:

为什么两个方法反复被调用了多次,但返回的次数却那么少呢?

建议换个 Python>>> class Nstr(str):
      def __str__(self):
                print('str方法被调用了!')
                return 'str'
      def __repr__(self):
                print('repr方法被调用了!')
                return 'repr'

      
>>> a = Nstr('hello')
>>> a
repr方法被调用了!
repr
>>>
页: [1]
查看完整版本: 为什么出现了错误