T1 瑞神的序列
Description
瑞神想到了一个序列,这个序列长度为n,也就是一共有n个数,瑞神给自己出了一个问题:数列有几段?一段就是连续且相同的一段数
输入第一行一个整数n,表示数的个数
接下来一行n个空格隔开的整数,表示不同的数字
输出一行,这个序列有多少段
Sample
Input:
12
2 3 3 6 6 6 1 1 4 5 1 4
Output:
8
思路:遇见不同于上一个的数ans++即可
#include <iostream>
using namespace std;
int main()
{
int n, cnt = 0, last;
cin >> n >> last;
n--;
while (n--)
{
int temp;
cin >> temp;
if (temp != last) cnt++;
last = temp;
}
cout << cnt + 1;
}
T2 消消乐大师——Q老师
Description
Q老师喜欢玩消消乐。
游戏在一个包含有 n 行 m 列的棋盘上进行,棋盘的每个格子都有一种颜色的棋子。当一行或一列
上有连续三个或更多的相同颜色的棋子时,这些棋子都被消除。当有多处可以被消除时,这些地
方的棋子将同时被消除。
一个棋子可能在某一行和某一列同时被消除。
由于这个游戏是闯关制,而且有时间限制,当Q老师打开下一关时,Q老师的好哥们叫Q老师去爬
泰山去了,Q老师不想输在这一关,所以它来求助你了!!
输入第一行包含两个整数n,m,表示行数和列数
接下来n行m列,每行中数字用空格隔开,每个数字代表这个位置的棋子的颜色。数字都大于0
输出n行m列,每行中数字用空格隔开,输出消除之后的棋盘。(如果一个方格中的棋子被消除,
则对应的方格输出0,否则输出棋子的颜色编号。)
Sample
Input:
4 5
2 2 3 1 2
3 4 5 1 4
2 3 2 1 3
2 2 2 4 4
Output:
2 2 3 0 2
3 4 5 0 4
2 3 2 0 3
0 0 0 4 4
Input:
4 5
2 2 3 1 2
3 1 1 1 1
2 3 2 1 3
2 2 3 3 3
Output:
2 2 3 0 2
3 0 0 0 0
2 3 2 0 3
2 2 0 0 0
思路:记录棋盘,pair<int, bool> a[][],pair的first记录内容,bool记录是否被消除掉。横向遍历一遍,纵向遍历一遍。
#include <iostream>
using namespace std;
const int MAXN = 30 + 5;
int n, m;
pair<int, bool> a[MAXN][MAXN];
int main()
{
cin >> n >> m;
for (int i = 0; i < n; i++)
{
for (int j = 0; j < m; j++)
{
int temp; cin >> temp;
a[i][j] = make_pair(temp, false);
}
a[i][m] = make_pair(-1, false);
}
for (int j = 0; j < m; j++)
a[n][m] = make_pair(-1, false);
for (int i = 0; i <= n; i++)
{
int l = 0;
for (int j = 1; j <= m; j++)
{
if (a[i][j].first != a[i][j - 1].first)
{
if (j - l >= 3)
for (int k = l; k < j; k++)
a[i][k].second = true;
l = j;
}
}
}
for (int j = 0; j <= m; j++)
{
int l = 0;
for (int i = 1; i <= n; i++)
{
if (a[i][j].first != a[i - 1][j].first)
{
if (i - l >= 3)
for (int k = l; k < i; k++)
a[k][j].second = true;
l = i;
}
}
}
for (int i = 0; i < n; i++)
{
for (int j = 0; j < m; j++)
{
if (a[i][j].second) cout << 0;
else cout << a[i][j].first;
if (j != m - 1) cout << ' ';
}
cout << '\n';
}
}
T4 咕咕东学英语
Description
今天TT打算教咕咕东字母A和字母B,TT给了咕咕东一个只有大写A、B组成的序列,让咕咕东分辨这些字母。
咕咕东问TT这个字符串有多少个子串是Delicious的。
Delicious定义:对于一个字符串,我们认为它是Delicious的当且仅当它的每一个字符都属于一个
被完整包含于字符串的大于1的回文子串中。
输入第一行一个正整数n,表示字符串长度
接下来一行,一个长度为n只由大写字母A、B构成的字符串。
输出仅一行,表示符合题目要求的子串的个数。
Sample
Input:
5
AABBB
Output:
6
思路:一个子串中,非端点字母x两边如果相等(ABA),则x符合要求,如果两侧不相等,则x一定等于其中一侧,也符合要求。那么只可能端点不属于回文,如果端点是AA或者BB则是回文,只有AB BA型有可能不是,以AB举例,只有后面一直是BBBBBBB,这个子串才不是回文。
#include <iostream>
#include <string>
using namespace std;
int main()
{
int n; cin >> n;
string str; cin >> str;
long long cnt = 1, pos = 0, ans = 0;
for (int i = 1; i < n; i++)
{
if (str[i] != str[i - 1])
{
ans += cnt;
cnt = 0;
pos = i;
}
else if (pos)
ans++;
cnt++;
}
cout << (long long)n * (n - 1) / 2 - ans;
}