838. Push Dominoes
Medium
There are n dominoes in a line, and we place each domino vertically upright. In the beginning, we simultaneously push some of the dominoes either to the left or to the right.
After each second, each domino that is falling to the left pushes the adjacent domino on the left. Similarly, the dominoes falling to the right push their adjacent dominoes standing on the right.
When a vertical domino has dominoes falling on it from both sides, it stays still due to the balance of the forces.
For the purposes of this question, we will consider that a falling domino expends no additional force to a falling or already fallen domino.
You are given a string dominoes representing the initial state where:
- dominoes[i] = 'L', if the ith domino has been pushed to the left,
- dominoes[i] = 'R', if the ith domino has been pushed to the right, and
- dominoes[i] = '.', if the ith domino has not been pushed.
Return a string representing the final state.
Example 1:
Input: dominoes = "RR.L"
Output: "RR.L"
Explanation: The first domino expends no additional force on the second domino.
Example 2:
Input: dominoes = ".L.R...LR..L.."
Output: "LL.RR.LLRRLL.."
Constraints:
- n == dominoes.length
- 1 <= n <= 10^5
- dominoes[i] is either 'L', 'R', or '.'.
문제 풀이
- 도미노가 포함된 리스트의 총길이는 최대 10^5 이다.
- N^2 의 시간복잡도로는 풀이가 불가능하다.
- 파이썬으로 풀때 두가지 방법으로 풀 수 있다.
- 문자 처리 함수를 사용하는 법
- deque 를 사용하는 법
- replace
- 도미노가 가운데로 쓰러져서, 가운데 있는 도미노가 넘어지지 않는 상황은 / . \ 밖에 없다.
- 즉 / / / . \ \ \ 라거나 / . . . . . \ 라도 실제로는 가운데 존재하는 . . . 가 / . \ 로 바뀌게 될 뿐이다.
- R . 과 . L 을 처리해주기 전에 위의 상황을 먼저 처리해주어야 한다.
- R, L 에 의해서 . 도미노가 먼저 쓰러진다면 / . . . \ 도미노를 처리할 수 없게된다.
- R . L 을 미리 다른 문자열로 치환해서 다음 처리때 영향을 받지 않게 만들어 준다.
- 그리고 R . , . L 문자열을 처리해준다.
- 마지막으로 미리 변환해둔 XXX 를 R . L 로 변환해준다.
- deque
- 위 접근법과 마찬가지로 R . L 의 경우를 처리해줘야 한다.
- 나머지 . 도미노들은 R, L 로 쓰러지는 도미노의 영향을 받기때문에 다르게 처리하자.
- 첫번째 초기화를 통해 모든 L, R 도미노들을 미리 인덱스와 함께 deque 에 넣는다.
- 큐에서 하나씩 뽑아 내면서 조건을 각각 처리해야한다.
- 만약 큐에서 뽑은 값이 R 이며 그 다음 문자가 . 일때
- 다음 큐의 문자가 L 이면 큐에서 값을 빼서 처리된것으로 한다.
- 도미노의 다음 문자를 R 로 변경하고 변경된 문자와 인덱스도 큐에 추가한다.
- 만일 큐에서 뽑은 값이 L 이며 이전 문자가 . 이면 L 로 바꿔주고 변경된 문자와 인덱스도 큐에 추가한다.
소스 코드
replace 으로 푸는 법
class Solution:
def pushDominoes(self, dominoes: str) -> str:
temp = ''
while dominoes != temp:
temp = dominoes
dominoes = dominoes.replace('R.L', 'xxx')
dominoes = dominoes.replace('R.', 'RR')
dominoes = dominoes.replace('.L', 'LL')
return dominoes.replace('xxx', 'R.L')
deque 로 푸는 법
class Solution:
def pushDominoes(self, dominoes: str) -> str:
q = deque()
dominoes = list(dominoes)
for a, i in enumerate(dominoes):
if i == 'L' or i == 'R':
q.append((i, a))
while(q):
val, idx = q.popleft()
if val == 'R' and idx + 1 < len(dominoes) and dominoes[idx + 1] == '.':
if q and q[0][0] == 'L' and idx + 2 == q[0][1]:
q.popleft()
else:
dominoes[idx + 1] = 'R'
q.append(('R', idx + 1))
elif val == 'L' and idx > 0 and dominoes[idx - 1] == '.':
dominoes[idx - 1] = 'L'
q.append(('L', idx - 1))
return ''.join(dominoes)
'컴퓨터공학 > LeetCode 1000' 카테고리의 다른 글
[LeetCode] 19. Remove Nth Node From End of List (0) | 2022.09.29 |
---|---|
[LeetCode] 113. Path Sum II (0) | 2022.09.28 |
[LeetCode] 985. Sum of Even Numbers After Queries (0) | 2022.09.27 |
[LeetCode] 298. Binary Tree Longest Consecutive Sequence (0) | 2022.09.27 |
[LeetCode] 990. Satisfiability of Equality Equations (0) | 2022.09.26 |