2

我无法在 sympy 中扩展 Symbol 类。这可能是一般类扩展的结果,也可能是这个特定的“符号”类的问题。

我想扩展 Symbol 类,使其具有一个名为“boolean_attr”的附加属性,它是一个 True/False 属性。这模拟了我正在尝试做的事情:

class A(object):  # This simulates what the "Symbol" class is in sympy

    __slots__ = ['a']

    def __init__(self, a):
        self.a = a


# this simulates my extension to add a property
class B(A):

    def __init__(self, boolean_attr):
        self. boolean_attr = boolean_attr

这似乎按预期工作:

my_B = B(False)
print my_B.boolean_attr
>>>> False

所以,当我在 Sympy 中尝试这个时,我会这样做:

from sympy.core.symbol import Symbol
class State(Symbol):

    def __init__(self, boolean_attr):
        self.boolean_attr = boolean_attr

但这不起作用:

TypeError: name should be a string, not <type 'bool'>

如何在 sympy 中向 Symbol 类添加属性?谢谢。

(另外,我应该提到这可能是一个xy 问题,而我并不知道。我想知道如何向类添加属性,我的问题假设扩展类是最好的方法。如果这是一个不正确的假设,请告诉我)

4

2 回答 2

1

试试下面的代码,它适用于我在 python 3 上。

from sympy.core.symbol import Symbol
class State(Symbol):
    def __init__(self, boolean_attr):
        self.boolean_attr = boolean_attr
        super()

Python 2 代码:

from sympy.core.symbol import Symbol
class State(Symbol):
    def __init__(self, boolean_attr):
        self.boolean_attr = boolean_attr
        super(State, self).__init__()
于 2019-07-26T23:58:23.653 回答
0

我能够通过更仔细地检查SymbolSymPy 中的类来解决这个问题。该__new__方法将一个名为 的字符串作为输入'name',因此我们至少Super在子类的调用中需要它:

from sympy.core.symbol import Symbol
class State(Symbol):
    def __init__(self, name, boolean_attr):
        self.boolean_attr = boolean_attr
        super(State, self).__init__(name)

此外,如果不使用关键字参数,则会失败: State('x', True)出现错误TypeError: __new__() takes exactly 2 arguments (3 given) https://pastebin.com/P5VmD4w4

但是,如果我使用关键字参数,那么它似乎可以工作:

x = State('x', boolean_attr=True)

于 2019-07-31T02:07:42.113 回答