Pygame으로 만드는 나만의 RPG 게임 6강 – 적 캐릭터와 전투 진입 구조, HP 표시 구현

Pygame으로 만드는 나만의 RPG 게임 6강입니다!

지난 시간에는 NPC와 대화할 수 있는 기능을 구현했고, 이제 본격적인 RPG 전투의 세계로 들어가봅니다. 이번 강의에서는 적 캐릭터를 맵에 배치하고, 플레이어가 적에게 닿았을 때 전투 상태로 전환되는 구조를 만들어보며, HP(체력)를 화면에 표시하는 기능도 함께 구현해볼 거예요.

1. 목표 요약

  • 맵에 적(몬스터) 배치
  • 플레이어가 적에 닿으면 전투 모드로 진입
  • HP 게이지를 플레이어 및 적에게 표시

2. 적(Enemy) 클래스 생성

class Enemy:
    def __init__(self, image, pos, hp=100):
        self.image = image
        self.rect = self.image.get_rect(topleft=pos)
        self.max_hp = hp
        self.hp = hp

    def draw(self, screen, cam_x, cam_y):
        screen.blit(self.image, (self.rect.x - cam_x, self.rect.y - cam_y))
        # HP 바
        self.draw_hp_bar(screen, cam_x, cam_y)

    def draw_hp_bar(self, screen, cam_x, cam_y):
        bar_width = 48
        bar_height = 6
        fill = int(bar_width * (self.hp / self.max_hp))
        x = self.rect.x - cam_x
        y = self.rect.y - cam_y - 10
        pygame.draw.rect(screen, (255, 0, 0), (x, y, bar_width, bar_height))
        pygame.draw.rect(screen, (0, 255, 0), (x, y, fill, bar_height))

3. 적 이미지 준비 및 배치

enemy_img = pygame.image.load("images/enemy.png")
enemy1 = Enemy(enemy_img, (600, 400))
enemies = [enemy1]

무료 리소스: OpenGameArt 또는 Kenney Assets에서 ‘slime’, ‘orc’ 등 다운로드 가능

4. 플레이어 HP 표시

플레이어 체력도 Enemy와 동일한 방식으로 화면 상단에 표시할 수 있습니다.

player_max_hp = 100
player_hp = 100

def draw_player_hp():
    bar_width = 200
    bar_height = 20
    fill = int(bar_width * (player_hp / player_max_hp))
    pygame.draw.rect(screen, (255, 0, 0), (20, 20, bar_width, bar_height))
    pygame.draw.rect(screen, (0, 255, 0), (20, 20, fill, bar_height))

5. 전투 상태 전환 로직

battle_mode = False
battle_enemy = None

# 충돌 체크
for enemy in enemies:
    if player_rect.colliderect(enemy.rect):
        battle_mode = True
        battle_enemy = enemy

그리고 화면 하단에 전투 진입 메시지를 출력할 수 있어요:

if battle_mode:
    font = pygame.font.SysFont(None, 32)
    msg = font.render("전투 시작! Enter 키로 공격", True, (255, 255, 255))
    screen.blit(msg, (20, HEIGHT - 50))

6. 간단한 공격 구현

for event in pygame.event.get():
    if battle_mode and event.type == pygame.KEYDOWN:
        if event.key == pygame.K_RETURN:
            battle_enemy.hp -= 20
            if battle_enemy.hp <= 0:
                enemies.remove(battle_enemy)
                battle_mode = False

---

7. 결과

- 적이 화면에 등장하고
- 플레이어가 가까이 가면 전투 모드 진입
- Enter 키로 적에게 데미지
- 체력이 0이 되면 적 사라짐

이제 진짜 RPG 같아지기 시작했죠? 😎

---

8. 다음 강의 예고

7강 – 인벤토리 및 아이템 시스템: 아이템 획득, 사용, 장착
다음 시간에는 전투나 이벤트를 통해 아이템을 획득하고, 인벤토리에서 확인하고 사용할 수 있는 시스템을 구현합니다. RPG다운 재미가 쌓이기 시작해요!

---

이 시리즈는 실전형 RPG 게임 개발 과정을 따라가며, 실제 동작하는 게임을 만들어보는 프로젝트 기반 강의입니다. 이제 진짜 게임 같은 모습이 되어가고 있어요!