Pygame으로 만드는 나만의 RPG 게임 5강입니다!
지난 시간에는 간단한 NPC를 만들고, 플레이어가 가까이 다가가면 대사를 출력하는 기초적인 상호작용 구조를 배워봤습니다.
이번 시간에는 한 단계 업그레이드된 기능, 바로 **대화 시스템**을 구현해보겠습니다.
대화 시스템은 RPG의 가장 중요한 요소 중 하나로, 플레이어와 세계관을 연결해주는 창구이자, 퀘스트/스토리 전달의 핵심입니다.
—
1. 구현 목표
- NPC마다 여러 줄 대사를 가짐
- 플레이어가 E 키로 상호작용하면 대화창 열림
- Enter 키로 대사를 한 줄씩 넘김
- 마지막 대사 후 대화창 닫힘
—
2. NPC 클래스 확장
기존 `message`를 여러 줄로 저장할 수 있도록 리스트 형태로 바꿉니다.
class NPC:
def __init__(self, image, pos, messages):
self.image = image
self.rect = self.image.get_rect(topleft=pos)
self.messages = messages
self.dialogue_index = 0
self.in_dialogue = False
def draw(self, screen, cam_x, cam_y):
screen.blit(self.image, (self.rect.x - cam_x, self.rect.y - cam_y))
def interact(self, player_rect):
return self.rect.colliderect(player_rect)
def start_dialogue(self):
self.dialogue_index = 0
self.in_dialogue = True
def next_message(self):
self.dialogue_index += 1
if self.dialogue_index >= len(self.messages):
self.in_dialogue = False
def get_current_message(self):
if self.in_dialogue:
return self.messages[self.dialogue_index]
return ""
—
3. NPC 생성
npc_img = pygame.image.load("images/npc.png")
npc1 = NPC(npc_img, (300, 300), [
"안녕하세요!",
"이 마을에 오신 걸 환영해요.",
"이 근처에 몬스터가 많으니 조심하세요."
])
npcs = [npc1]
—
4. 상호작용 로직 변경
게임 루프에서 이벤트 처리 부분을 다음처럼 수정합니다:
interact_pressed = False
next_pressed = False
for event in pygame.event.get():
if event.type == pygame.KEYDOWN:
if event.key == pygame.K_e:
interact_pressed = True
if event.key == pygame.K_RETURN:
next_pressed = True
for npc in npcs:
if npc.interact(player_rect):
if interact_pressed and not npc.in_dialogue:
npc.start_dialogue()
if npc.in_dialogue and next_pressed:
npc.next_message()
—
5. 대화창 그리기
def draw_dialogue_box(npc):
if npc.in_dialogue:
pygame.draw.rect(screen, (0, 0, 0), (20, HEIGHT - 100, WIDTH - 40, 80))
pygame.draw.rect(screen, (255, 255, 255), (20, HEIGHT - 100, WIDTH - 40, 80), 3)
font = pygame.font.SysFont(None, 28)
text = font.render(npc.get_current_message(), True, (255, 255, 255))
screen.blit(text, (30, HEIGHT - 80))
게임 루프에서 NPC를 그린 후 호출:
for npc in npcs:
npc.draw(screen, cam_x, cam_y)
draw_dialogue_box(npc)
—
6. 결과
– 플레이어가 NPC 근처에서 E 키를 누르면 대화 시작
– Enter 키를 누르면 다음 대사로 넘어감
– 마지막 대사 후 대화창 종료
이제 NPC가 진짜 말을 하는 것처럼 보이죠!
—
7. 다음 강의 예고
6강 – 전투 시스템 기초: 적 캐릭터, HP 표시, 충돌 시 전투 진입
드디어 RPG의 핵심 재미 요소 중 하나인 전투를 시작합니다. 먼저 몬스터를 배치하고, HP 바를 표시하는 전투 준비 단계를 함께 만들어봅시다!
—
이 시리즈는 실전 게임 개발을 경험할 수 있도록 한 단계씩 구조적으로 구성된 RPG 실습 강의입니다. 다음 강의에서 전투도 도전해봐요!