g0801_0900.s0838_push_dominoes.Solution Maven / Gradle / Ivy
Go to download
Show more of this group Show more artifacts with this name
Show all versions of leetcode-in-java21 Show documentation
Show all versions of leetcode-in-java21 Show documentation
Java-based LeetCode algorithm problem solutions, regularly updated
package g0801_0900.s0838_push_dominoes;
// #Medium #String #Dynamic_Programming #Two_Pointers
// #2022_03_24_Time_21_ms_(73.78%)_Space_54.4_MB_(50.10%)
/**
* 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:**
*
* ![](https://s3-lc-upload.s3.amazonaws.com/uploads/2018/05/18/domino.png)
*
* **Input:** dominoes = ".L.R...LR..L.."
*
* **Output:** "LL.RR.LLRRLL.."
*
* **Constraints:**
*
* * `n == dominoes.length`
* * 1 <= n <= 105
* * `dominoes[i]` is either `'L'`, `'R'`, or `'.'`.
**/
public class Solution {
public String pushDominoes(String dominoes) {
char[] ch = new char[dominoes.length() + 2];
ch[0] = 'L';
ch[ch.length - 1] = 'R';
for (int k = 1; k < ch.length - 1; k++) {
ch[k] = dominoes.charAt(k - 1);
}
int i = 0;
int j = 1;
while (j < ch.length) {
while (ch[j] == '.') {
j++;
}
if (ch[i] == 'L' && ch[j] == 'L') {
while (i != j) {
ch[i] = 'L';
i++;
}
j++;
} else if (ch[i] == 'R' && ch[j] == 'R') {
while (i != j) {
ch[i] = 'R';
i++;
}
j++;
} else if (ch[i] == 'L' && ch[j] == 'R') {
i = j;
j++;
} else if (ch[i] == 'R' && ch[j] == 'L') {
int rTemp = i + 1;
int lTemp = j - 1;
while (rTemp < lTemp) {
ch[rTemp] = 'R';
ch[lTemp] = 'L';
rTemp++;
lTemp--;
}
i = j;
j++;
}
}
StringBuilder sb = new StringBuilder();
for (int k = 1; k < ch.length - 1; k++) {
sb.append(ch[k]);
}
return sb.toString();
}
}
© 2015 - 2025 Weber Informatics LLC | Privacy Policy