文章目录
- 1. 题目
- 2. 解题
1. 题目
一行中有 N 张多米诺骨牌,我们将每张多米诺骨牌垂直竖立。
在开始时,我们同时把一些多米诺骨牌向左或向右推。
每过一秒,倒向左边的多米诺骨牌会推动其左侧相邻的多米诺骨牌。
同样地,倒向右边的多米诺骨牌也会推动竖立在其右侧的相邻多米诺骨牌。
如果同时有多米诺骨牌落在一张垂直竖立的多米诺骨牌的两边,由于受力平衡, 该骨牌仍然保持不变。
就这个问题而言,我们会认为正在下降的多米诺骨牌不会对其它正在下降或已经下降的多米诺骨牌施加额外的力。
给定表示初始状态的字符串 “S” 。
如果第 i 张多米诺骨牌被推向左边,则 S[i] = 'L'
;
如果第 i 张多米诺骨牌被推向右边,则 S[i] = 'R'
;
如果第 i 张多米诺骨牌没有被推动,则 S[i] = '.'
。
返回表示最终状态的字符串。
示例 1:
输入:".L.R...LR..L.."
输出:"LL.RR.LLRRLL.."示例 2:
输入:"RR.L"
输出:"RR.L"
说明:第一张多米诺骨牌没有给第二张施加额外的力。提示:
0 <= N <= 10^5
表示多米诺骨牌状态的字符串只含有 'L','R'; 以及 '.';
来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/push-dominoes
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
2. 解题
- 先处理两边向外倒的
- 然后记录中间的位置,用正负号区分方向
- 遍历中间间隔的左右位置的符号,分四种情况(都向左,都向右,不动,向中间倒)
class Solution {
public:string pushDominoes(string dominoes) {int n = dominoes.size(), L = 0, R = n-1, l=-1, r=-1, i;while(L < n && dominoes[L] != 'R'){if(dominoes[L]=='L')l = L;//左边连续的最后一个L(中间没有遇到R)L++;}while(R >= 0 && dominoes[R] != 'L'){if(dominoes[R]=='R')r = R;//右边连续的最后一个R(中间没有遇到L)R--;}if(l != -1)//左侧存在向左倒的for(i = l-1; i >= 0; i--)dominoes[i] = 'L';if(r != -1)//右侧存在向右倒的for(i = r+1; i < dominoes.size(); i++)dominoes[i] = 'R';vector<int> pos;//中间的LR的位置记录下来for(i = L; i <= R; ++i){if(dominoes[i] == 'R')pos.push_back(i+1);//向右为+,+1为避免出现0else if(dominoes[i] == 'L')pos.push_back(-(i+1));//向左为 - }for(i = 0; i < int(pos.size())-1; ++i)//遍历中间的隔间{if(pos[i] > 0 && pos[i+1] > 0){// 右 右,中间还是右l = pos[i], r = pos[i+1]-1;while(l < r)dominoes[l++] = 'R';}else if(pos[i] < 0 && pos[i+1] < 0){ // 左, 左,中间还是左l = -pos[i], r = -pos[i+1]-1;while(l < r)dominoes[l++] = 'L';}else if(pos[i] > 0 && pos[i+1] < 0)//向中间倒{ // 左边向右,右边向左,双指针遍历l = pos[i], r = -pos[i+1]-2;while(l < r){dominoes[l++] = 'R';dominoes[r--] = 'L';}}//还有一种情况(左边向左,右边向右),中间不受影响}return dominoes;}
};
40 ms 11 MB
- 优化代码:在原字符串前面 +
L
,尾部 +R
,最后答案舍去首尾即可,可以简化代码量
class Solution {
public:string pushDominoes(string dominoes) {dominoes = 'L'+dominoes+'R';int n = dominoes.size(), L = 0, R = n-1, l, r, i;vector<int> pos;//中间的LR的位置记录下来for(i = 0; i < n; ++i){if(dominoes[i] == 'R')pos.push_back(i+1);//向右为+,+1为避免出现0else if(dominoes[i] == 'L')pos.push_back(-(i+1));//向左为 - }for(i = 0; i < int(pos.size())-1; ++i)//遍历中间的隔间{if(pos[i] > 0 && pos[i+1] > 0){// 右 右,中间还是右l = pos[i], r = pos[i+1]-1;while(l < r)dominoes[l++] = 'R';}else if(pos[i] < 0 && pos[i+1] < 0){ // 左, 左,中间还是左l = -pos[i], r = -pos[i+1]-1;while(l < r)dominoes[l++] = 'L';}else if(pos[i] > 0 && pos[i+1] < 0)//向中间倒{ // 左边向右,右边向左,双指针遍历l = pos[i], r = -pos[i+1]-2;while(l < r){dominoes[l++] = 'R';dominoes[r--] = 'L';}}}return dominoes.substr(1,n-2);}
};
36 ms 12.6 MB
我的CSDN博客地址 https://michael.blog.csdn.net/
长按或扫码关注我的公众号(Michael阿明),一起加油、一起学习进步!