python obtain the self variable in another class which already has a self function

2.3k Views Asked by At

I want to use the self variables in one class and use them in another class which already has its own self variables how to do I do this. Some code here to help.

class A():
    self.health = 5
class B(): # This class already has a self function
    for sprite in all_sprites:
        if pygame.sprite.collide_circle(self, sprite):
            self.collide = True
            self.health -= 0.1
2

There are 2 best solutions below

0
On

The following code may help to explain how to use self in a class. Notice on line 45 that self is passed to the collide method of the sprite class. Inside of a class, you can pass self (which represents the current instance you are working with) to any other instance method or function if desired.

import math
import random


def main():
    b = B(5, 5, 2)
    print('Health =', b.health)
    b.collide_sprites()
    print('Health =', b.health)


class Sprite:

    def __init__(self, x, y, radius):
        self.x = x
        self.y = y
        self.radius = radius

    def collide(self, other):
        middle_distance = math.hypot(self.x - other.x, self.y - other.y)
        edge_margin = self.radius + other.radius
        return middle_distance < edge_margin


class A(Sprite):

    def __init__(self, x, y, radius):
        super().__init__(x, y, radius)
        self.health = 5


class B(A):

    def __init__(self, x, y, radius):
        super().__init__(x, y, radius)
        self.all_sprites = [A(
            random.randrange(10),
            random.randrange(10),
            random.randint(1, 4)
        ) for _ in range(50)]
        self.collide = False

    def collide_sprites(self):
        for sprite in self.all_sprites:
            if sprite.collide(self):
                self.collide = True
                self.health -= 0.1


if __name__ == '__main__':
    main()
4
On

You're misunderstanding. self is only an internal reference. Within the class, you refer to self. Otherwise, you refer to the sprite object directly as such,

class A():
    self.health = 5
class B(): # This class already has a self function
    for sprite in all_sprites:
        if pygame.sprite.collide_circle(self, sprite):
            sprite.collide = True
            sprite.health -= 0.1