[LeetCode]Push Dominoes@Golang

Push Dominoes

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.

Given a string “S” representing the initial state. S[i] = ‘L’, if the i-th domino has been pushed to the left; S[i] = ‘R’, if the i-th domino has been pushed to the right; S[i] = ‘.’, if the i-th domino has not been pushed.

Return a string representing the final state.

Example

Input: “.L.R…LR…L…”
Output: “LL.RR.LLRRLL…”

Solution

func pushDominoes(dominoes string) string {
    d := "L" + dominoes + "R"
    var buffer bytes.Buffer
    for i,j:=0,1; j<len(d); j++ {
        if d[j]=='.'{
            continue
        }
        if i>0 {
            buffer.WriteString(string(d[i]))
        }
        middle := j-i-1
        if d[i]==d[j]{
            buffer.WriteString(strings.Repeat(string(d[i]), middle))
        } else if d[i]=='L' && d[j]=='R'{
            buffer.WriteString(strings.Repeat(".", middle))
        } else {
            buffer.WriteString(strings.Repeat("R", middle/2))
            buffer.WriteString(strings.Repeat(".", middle%2))
            buffer.WriteString(strings.Repeat("L", middle/2))
        }
        i = j       
    }
    return buffer.String()
    
}
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章