你能在 class 中生成新的自我名称吗?

Can you generate new self names inside a class?

试图找出如何使用函数在 class 中生成新的自命名变量。

我在 IDLE 中玩过它,并搜索过在线文档。解决方案是在暗示我。

>>> import random

>>> abc = [(map(chr,range(ord('A'),ord('Z')+1)))+(map(chr,range(ord('a'),ord('z')+1)))]

>>> class Test():
        def __init__(self, abc):
            self.a = 0
            self.abc = abc

        def newSelf(self):
            for i in range(2):
                b = random.choice(abc)
                c = random.choice(abc)
                globals()['self.'+b+c] = 0
                #or
                locals()['self.'+b+c] = 0
                print(b+c,0)

>>> example = Test(abc)
>>> example.a
0
>>> example.newSelf() #say it generates
An 0
ze 0
>>> example.An #calling new self variable of example object returns

Traceback (most recent call last):
  File "<pyshell#221>", line 1, in <module>
    example.An
AttributeError: 'Test' object has no attribute 'An'

# I'm hoping for...
>>> example.An
0

使用setattr:

您可以使用setattr设置新属性:

>>> class Test():
...     def __init__(self, abc):
...         self.a = 0
...         self.abc = abc
...     def newSelf(self):
...         for i in range(2):
...             b = random.choice(abc)
...             c = random.choice(abc)
...             setattr(self, b+c, 0)
...             print(b+c,0)

并且该属性将再次可用:

>>> example = Test(abc)
>>> example.newSelf()
zM 0
Ja 0
>>> example.zM
0
>>> example.Ja
0

使用exec:

您可以使用exec 函数来执行存储在字符串中的python 语句。因为,您随机生成变量名,您可以在字符串中创建整个 python 语句,然后使用 exec 执行该语句,如下所示:

>>> class Test():
...     def __init__(self, abc):
...         self.a = 0
...         self.abc = abc
...     def newSelf(self):
...         for i in range(2):
...             b = random.choice(abc)
...             c = random.choice(abc)
...             exec('self.'+b+c+' = 0')
...             print(b+c,0)

在这里,我使用 exec('self.'+b+c+' = 0') 创建了新属性。现在,调用此方法后,属性将可用:

>>> example = Test(abc)
>>> example.newSelf()
Tw 0
Xt 0
>>> example.Tw
0
>>> example.Xt
0