Quantcast
Channel: Active questions tagged python - Stack Overflow
Viewing all articles
Browse latest Browse all 13861

Collisions for Simple Dungeon Crawler Game

$
0
0

I am creating a simple dungeon crawler game that has collisions. The code for the Enemy class is such that it should collide with walls and chase after the player character, however it does not chases after the character, it spawns, moves along the x-axis until it collides with a wall and does not change direction nor chase the player

The code for the game as shown below:

` import pygameimport randomimport sysimport mathimport pygame.sprite

# ConstantsWIDTH, HEIGHT = 800, 600MENU_FONT = None  # Font will be initialized laterSELECTED_COLOR = (255, 0, 0)NORMAL_COLOR = (255, 255, 255)FPS = 240# Function to display the menudef display_menu(screen, options, selected_option):        screen.fill((0, 0, 0))  # Clear the screen        for i, option in enumerate(options):                color = SELECTED_COLOR if i == selected_option else NORMAL_COLOR                text = MENU_FONT.render(option, True, color)                text_rect = text.get_rect(center=(WIDTH // 2, HEIGHT // 2 + i * 50))                screen.blit(text, text_rect)        pygame.display.flip()# Initialize Pygamepygame.init()# Initialize the fontMENU_FONT = pygame.font.Font(None, 48)# Initialize the screenscreen = pygame.display.set_mode((WIDTH, HEIGHT))pygame.display.set_caption("Dungeon Crawler Game Menu")# Game state variablesin_menu = Trueselected_option = 0# Main game loopwhile in_menu:        for event in pygame.event.get():            if event.type == pygame.QUIT:                pygame.quit()                sys.exit()        if event.type == pygame.KEYDOWN:                if event.key == pygame.K_DOWN:                        selected_option = (selected_option + 1) % 3                elif event.key == pygame.K_UP:                        selected_option = (selected_option - 1) % 3                elif event.key == pygame.K_RETURN:                        if selected_option == 0:                                 in_menu = False                        elif selected_option == 1:  # Options                        pass                elif selected_option == 2:  # Quit Game                                pygame.quit()                        sys.exit()        menu_options = ['Start Game', 'Options', 'Quit Game']        display_menu(screen, menu_options, selected_option)# Below is the code for the characters and enemies# ConstantsTILE_SIZE = 20LARGER_MAP_WIDTH, LARGER_MAP_HEIGHT = 40, 30LARGER_WIDTH, LARGER_HEIGHT = LARGER_MAP_WIDTH * TILE_SIZE, LARGER_MAP_HEIGHT * TILE_SIZEWHITE = (255, 255, 255)GREEN = (0, 255, 0)BLUE = (0, 0, 255)RED = (255, 0, 0)class Character(pygame.sprite.Sprite):        def __init__(self, x, y):                super().__init__()                self.image = pygame.Surface((TILE_SIZE, TILE_SIZE))                self.image.fill(GREEN)                self.rect = self.image.get_rect(topleft=(x, y))        def move(self, dx, dy, walls):                if dx != 0:                        self.rect.x += dx                        if pygame.sprite.spritecollide(self, walls, False):                                self.rect.x -= dx                if dy != 0:                        self.rect.y += dy                        if pygame.sprite.spritecollide(self, walls, False):                                self.rect.y -= dyclass Wall(pygame.sprite.Sprite):        def __init__(self, x, y):                super().__init__()                self.image = pygame.Surface((TILE_SIZE, TILE_SIZE))                self.image.fill(WHITE)                self.rect = self.image.get_rect(topleft=(x * TILE_SIZE, y * TILE_SIZE))class Map:        def __init__(self, width, height):                self.tiles = [[None for _ in range(width)] for _ in range(height)]                self.walls = pygame.sprite.Group()        def generate_map(self):            for i in range(len(self.tiles)):                    for j in range(len(self.tiles[0])):        # Add some walls to create a maze-like structure                    if random.random() < 0.09:                            self.tiles[i][j] = Wall(j, i)                                        self.walls.add(self.tiles[i][j])        def draw(self, screen):                for row in self.tiles:                for tile in row:                    if tile:                                        screen.blit(tile.image, tile.rect)class Enemy(pygame.sprite.Sprite):    def __init__(self, x, y, target, walls):        super().__init__()        self.image = pygame.Surface((TILE_SIZE, TILE_SIZE))        self.image.fill(RED)  # Enemy color is set to red        self.rect = self.image.get_rect(topleft=(x, y))        self.target = target  # The player character to follow        self.walls = walls  # Reference to the walls group    def update(self):# Calculate the direction vector from the enemy to the player character        dx = self.target.rect.centerx - self.rect.centerx        dy = self.target.rect.centery - self.rect.centery# Normalize the direction vector        distance = math.hypot(dx, dy)        if distance != 0:            dx /= distance            dy /= distance# Adjust speed for smoother movement            speed = 1.7            dx *= speed            dy *= speed# Calculate the new position            new_x = self.rect.x + dx            new_y = self.rect.y + dy# Check for collisions with walls            temp_rect = self.rect.move(dx, dy)            if not pygame.sprite.spritecollideany(self, self.walls):                self.rect = temp_rect            else:# If there's a collision, try adjusting the direction# Randomize direction change to avoid getting stuck in corners                if random.random() < 0.5:                    dx = random.choice([-1, 0, 1])                    dy = random.choice([-1, 0, 1])                else:                    dx *= -1                    dy *= -1# Normalize the new direction vector                    distance = math.hypot(dx, dy)                    if distance != 0:                        dx /= distance                        dy /= distance# Adjust speed for smoother movement                        dx *= speed                        dy *= speed# Calculate the new position after collision                        temp_rect = self.rect.move(dx, dy)                        if not pygame.sprite.spritecollideany(self, self.walls):                            self.rect = temp_rect# Initialize the screenscreen = pygame.display.set_mode((LARGER_WIDTH, LARGER_HEIGHT))pygame.display.set_caption("Dungeon Crawler with Character and Enemy")# Initialize the game objects with a larger mapcharacter = Character(0, 0)game_map = Map(LARGER_MAP_WIDTH, LARGER_MAP_HEIGHT)game_map.generate_map()enemy = Enemy(LARGER_WIDTH - TILE_SIZE, 0, character, game_map.walls)enemy_group = pygame.sprite.GroupSingle(enemy)# Main game loopwhile True:        clock = pygame.time.Clock()        clock.tick(FPS)        for event in pygame.event.get():                if event.type == pygame.QUIT:                        pygame.quit()                        sys.exit()        keys = pygame.key.get_pressed()        character.move(keys[pygame.K_d] - keys[pygame.K_a],         keys[pygame.K_s] - keys[pygame.K_w], game_map.walls)        enemy_group.update()        # Drawing        screen.fill((0, 0, 0))  # Clear the screen        game_map.draw(screen)        screen.blit(character.image, character.rect)  # Draw the character        enemy_group.draw(screen)  # Draw the enemy        pygame.display.flip()

the enemy moves and collides at first but then it completely stops moving after the first collision.please help me identfiy what went wrong and how to fix this.


Viewing all articles
Browse latest Browse all 13861

Trending Articles



<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>