在另一个类(python)中使用类函数中的变量

时间:2012-06-01 00:27:17

标签: python class instance-variables

我想在一个类中使用我在函数内声明的变量,在另一个类中。

例如,我想在另一个类中使用变量“j”。可能吗? (我在某处读到它可能与实例变量有关,但完全无法理解这个概念)。

class check1:
    def helloworld(self):
        j = 5

3 个答案:

答案 0 :(得分:6)

class check1:
    def helloworld(self):
        self.j = 5

check_instance=check1()
print (hasattr(check_instance,'j'))  #False -- j hasn't been set on check_instance yet
check_instance.helloworld()          #add j attribute to check_instance
print(check_instance.j)  #prints 5

但您不需要一个方法来为类实例分配新属性......

check_instance.k=6  #this works just fine.

现在您可以像使用任何其他变量一样使用check_instance.j(或check_instance.k)。

在您了解到这一点之前,这似乎有点像魔术:

check_instance.helloworld()

完全等同于:

check1.helloworld(check_instance)

(如果你仔细想一想,这就解释了self参数是什么)。

我不完全确定你在这里想要实现的目标 - 还有类变量由类的所有实例共享...

class Foo(object):
    #define foolist at the class level 
    #(not at the instance level as self.foolist would be defined in a method)
    foolist=[]  

A=Foo()
B=Foo()

A.foolist.append("bar")
print (B.foolist)  # ["bar"]
print (A.foolist is B.foolist) #True -- A and B are sharing the same foolist variable.

答案 1 :(得分:0)

另一个班级不能看到

j;但是,我认为你的意思是self.j,可以。

class A(object):
    def __init__(self, x):
        self.x = x

class B(object):
    def __init__(self):
        self.sum = 0
    def addA(self, a):
        self.sum += a.x

a = A(4)
b = B()
b.addA(a)    # b.sum = 4

答案 2 :(得分:-3)

使用类继承很容易“共享”实例变量

示例:

class A:
    def __init__(self):
        self.a = 10

    def retb(self):
        return self.b

class B(A):
    def __init__(self):
        A.__init__(self)
        self.b = self.a

o = B()
print o.a
print o.b
print o.retb()