给出n个数,zjm想找出出现至少(n+1)/2次的数, 现在需要你帮忙找出这个数是多少?
Input
本题包含多组数据:
每组数据包含两行。
第一行一个数字N(1<=N<=999999) ,保证N为奇数。
第二行为N个用空格隔开的整数。
数据以EOF结束。
Output
对于每一组数据,你需要输出你找到的唯一的数。
Sample Input
5
1 3 2 3 3
11
1 1 1 1 1 5 5 5 5 5 5
7
1 1 1 1 1 1 1
Sample Output
3
5
1
这道题我们可以设立一个大小包含所有可能出现的数的数组,数组里的元素代表值为这个位置的数字出现的底数,然后当那个数出现的时候,数组对应位置的元素加1即可,最终我们只需要找到里面大于等于(n+1)/2的数即可,输出这个位置。
#include
#include
#include
int num[1000000];
int main()
{
int n;
int ans;
while (scanf("%d", &n) != EOF)
{
memset(num, 0, sizeof(num));
int k = (n + 1) / 2;
for (int i = 0; i < n; i++)
{
int t;
scanf("%d", &t);
num[t]++;
if (num[t] >= k)ans = t;
}
printf("%d\n", ans);
}
}
zjm被困在一个三维的空间中,现在要寻找最短路径逃生!
空间由立方体单位构成。
zjm每次向上下前后左右移动一个单位需要一分钟,且zjm不能对角线移动。
空间的四周封闭。zjm的目标是走到空间的出口。
是否存在逃出生天的可能性?如果存在,则需要多少时间?
Input
输入第一行是一个数表示空间的数量。
每个空间的描述的第一行为L,R和C(皆不超过30)。
L表示空间的高度,R和C分别表示每层空间的行与列的大小。
随后L层,每层R行,每行C个字符。
每个字符表示空间的一个单元。’#‘表示不可通过单元,’.‘表示空白单元。
zjm的起始位置在’S’,出口为’E’。每层空间后都有一个空行。
L,R和C均为0时输入结束。
Output
每个空间对应一行输出。
如果可以逃生,则输出如下
Escaped in x minute(s).
x为最短脱离时间。
如果无法逃生,则输出如下
Trapped!
Sample Input
3 4 5
S….
.###.
.##..
###.#
#####
#####
##.##
##…
#####
#####
#.###
####E
1 3 3
S##
#E#
###
0 0 0
Sample Output
Escaped in 11 minute(s).
Trapped!
这道题是平面地图题的变形,同样可以采取BFS的做法,只是从某一个点向周边拓展的位置有所不同,共有6种,可以设立3个大小为6的数组,通过他们来确定x,y,z的变化值,
int d1[6] = { -1, 1, 0 ,0, 0, 0};
int d2[6] = { 0, 0, 1,-1, 0, 0};
int d3[6] = { 0, 0, 0, 0, 1,-1};
当到达新的点之后,就对他周边的6个位置进行判断,若是可以到达并且还没有到达,就加入到队列中,若是到了终点就结束。
#include
#include
#include
using namespace std;
struct Location
{
int x, y, z;
int path;
};
int l, r, c;
char maze[35][35][35];
char visit[35][35][35];
int d1[6] = { -1, 1, 0 ,0, 0, 0};
int d2[6] = { 0, 0, 1,-1, 0, 0};
int d3[6] = { 0, 0, 0, 0, 1,-1};
Location s;
int main()
{
while (true)
{
cin >> l >> r >> c;
if (l * r * c == 0)return 0;
memset(visit, false, sizeof(visit));
for(int i = 1; i <= l; i++)
for(int p = 1 ; p <= r; p++)
for (int q = 1; q <= c; q++)
{
cin >> maze[i][p][q];
if (maze[i][p][q] == 'S')
{
s.x = i, s.y = p, s.z = q, s.path = 0;
}
}
visit[s.x][s.y][s.z] = true;
queue<Location>q;
q.push(s);
int ans = -1;
while (!q.empty())
{
Location temp = q.front();
q.pop();
if (maze[temp.x][temp.y][temp.z] == 'E')
{
ans = temp.path;
break;
}
for (int i = 0; i < 6; i++)
{
int x = temp.x + d1[i];
int y = temp.y + d2[i];
int z = temp.z + d3[i];
if (x > 0 && x <= l && y > 0 && y <= r && z > 0 && z <= c)
{
if (visit[x][y][z] == false && maze[x][y][z] != '#')
{
visit[x][y][z] = true;
Location next;
next.x = x, next.y = y, next.z = z, next.path = temp.path + 1;
q.push(next);
}
}
}
}
if (ans == -1)cout << "Trapped!" << endl;
else cout << "Escaped in " << ans << " minute(s)." << endl;
}
}