Development/Algorithm

[이코테 2021] 4장 구현 [실전문제] 왕실의 나이트

jstar0525 2022. 5. 3. 07:05
반응형

나의 풀이

position = input()

r = int(position[1])
c = ord(position[0]) - ord('a') + 1

move_types = [[2,1], [2,-1], [-2,1], [-2,-1], [1,2], [-1,2], [1,-2], [-1,-2]]

cnt = 0

for m in move_types:
    tmp_r = r + m[0]
    tmp_c = c + m[1]
    if 0 < tmp_r < 9 and 0 < tmp_c < 9:
        cnt += 1

print(cnt)

답안 예시

# 현재 나이트의 위치 입력받기
input_data = input()
row = int(input_data[1])
column = int(ord(input_data[0])) - int(ord('a')) + 1

# 나이트가 이동할 수 있는 8가지 방향 정의
steps = [(-2, -1), (-1, -2), (1, -2), (2, -1), (2, 1), (1, 2), (-1, 2), (-2, 1)]

# 8가지 방향에 대하여 각 위치로 이동이 가능한지 확인
result = 0
for step in steps:
    # 이동하고자 하는 위치 확인
    next_row = row + step[0]
    next_column = column + step[1]
    # 해당 위치로 이동이 가능하다면 카운트 증가
    if next_row >= 1 and next_row <= 8 and next_column >= 1 and next_column <= 8:
        result += 1

print(result)

 

반응형