공부 기록

Level 1 풀기 본문

다양한 분야 공부 기록/Python Coding Test

Level 1 풀기

kstar2 2025. 2. 1. 21:44

1. [PCCP 기출문제] 1번 / 붕대 감기
t초 동안 붕대를 감으면서 1초마다 x만큼 체력 회복
t초 연속 붕대 감기 성공시 y만큼 추가 체력 회복(단, 체력 회복은 최대 체력 초과 불과)
공격 당하면 붕대 감기 취소하고 연속 붕대 감기 성공 시간 0으로 초기화됨
만약 체력이 0이하이면 캐릭터 사망(체력회복 불가)
bandage라는 1차원 정수 배열의 변수는 t, x, y의 값을 담고있고
최대체력은 health라는 변수에
몬스터 공격 시간과 피해량은 2차원 정수 배열 attacks에 주어짐
남은 체력을 return하는 solution 함수를 완성할 것(단, 체력이 0 이하가 되면 -1을 return)

def solution(bandage, health, attacks):
    t, x, y = bandage
    max_health = health
    time = 0
    continuous_time = 0
    attack_index = 0

    for attack_time, damage in attacks:
        # 붕대 감기 동안 체력 회복 (공격까지의 시간)
        while time < attack_time:
            time += 1
            continuous_time += 1

            if health <= 0:
                return -1

            # 1초마다 회복
            health = min(health + x, max_health)

            # t초 연속 성공 시 추가 회복
            if continuous_time == t:
                health = min(health + y, max_health)
                continuous_time = 0

        # 몬스터 공격 처리
        health -= damage
        if health <= 0:
            return -1

        # 연속 붕대 감기 초기화
        continuous_time = 0
        time += 1

    return health
def solution(bandage, health, attacks):
    hp = health
    start = 1
    for i, j in attacks:
        hp += ((i - start) // bandage[0]) * bandage[2] + (i - start) * bandage[1]
        start = i + 1
        if hp >= health:
            hp = health
        hp -= j
        if hp <= 0:
            return -1
    return hp