CodeForces 石头 table,代码无法通过一个测试用例我不明白为什么

CodeForces stones on table, code cannot pass one test case I cannot understand why

这就是问题 - table 上有 n 块石头排成一行,每块石头可以是红色、绿色或蓝色。计算从 table 中取出的最少数量的石头,以便任何两个相邻的石头具有不同的颜色。如果相邻的石头之间没有其他石头,则认为它们是相邻的。

输入 - 第一行包含整数 n (1 ≤ n ≤ 50) — table.

上的石子数量

下一行包含字符串s,表示宝石的颜色。我们将考虑从左到右从 1 到 n 编号的行中的石头。那么第 i 个字符 s 等于“R”,如果第 i 个石头是红色,“G”,如果它是绿色,“B”,如果它是蓝色。

输出-答案

我的代码 - ```

int main(){
    string s;
    int q,a,b,c;
    cin >> q;
    cin >> s;
    a = s.length();
    for(int i=0;i<q;i++){
            if((s[i]=='R'&&s[i+1]=='R')||(s[i]=='G'&&s[i+1]=='G')||(s[i]=='B'&&s[i+1]=='B')){
                s.erase(i+1,i+1);
            }
        }
    b = s.length();
    c = a - b;
    if((s[0]=='R'&&s[1]=='R')||(s[0]=='G'&&s[1]=='G')||(s[0]=='B'&&s[1]=='B')){
        cout << c+1;
       }else{ cout << c;
       }
}

当输入为“4 RBBR”时,输出显示为 2 而不是 1,我不明白为什么会这样,有人可以帮助我吗? 这是我的代码通过的其他一些测试用例 - “3 RRG" “5 RRRRR

int main()
{
    string s;
    size_t q, a, c;
    cin >> q;
    cin >> s;
    a = s.length();

    // You may not use q here, because you are modifying the string length, so when the
    // loop enters the next iteration, q is no longer valid.
    // Since you are comparing it with the next item, you must reduce the count by 1, otherwise you read out of bounds.
    // It's also wrong to use q here, because the user can enter an invalid length. i.E. "5 RR".
    for (size_t i = 0; i < s.length()-1; i++)
    {
        if (s[i] == s[i + 1])
        {
            // Here 'i' may not be increased, because the next character can also be a neighbor now
            s.erase(i + 1, 1);
            i--;
        }
    }

    c = a - s.length();
    cout << c;

    return 0;
}