A. Cards

传送门

A. Cards

time limit per test
2 seconds
memory limit per test
256 megabytes
input
standard input
output
standard output

When Serezha was three years old, he was given a set of cards with letters for his birthday. They were arranged into words in the way which formed the boy’s mother favorite number in binary notation. Serezha started playing with them immediately and shuffled them because he wasn’t yet able to read. His father decided to rearrange them. Help him restore the original number, on condition that it was the maximum possible one.

Input
The first line contains a single integer n
(1⩽n⩽105) — the length of the string. The second line contains a string consisting of English lowercase letters: ‘z’, ‘e’, ‘r’, ‘o’ and ‘n’.It is guaranteed that it is possible to rearrange the letters in such a way that they form a sequence of words, each being either “zero” which corresponds to the digit 0 or “one” which corresponds to the digit 1

Output
Print the maximum possible number in binary notation. Print binary digits separated by a space. The leading zeroes are allowed.

Examples
Input
4
ezor
Output
0

Input
10
nznooeeoer
Output
1 1 0

Note
In the first example, the correct initial ordering is “zero”.
In the second example, the correct initial ordering is “oneonezero”.

题意:输入一串字符,字符由“o,n,e,z,r"组成,判断可输出的最大数字。

思路:因为输入符合“one"与”zero“的组成,所以“n”与"z"可以判断输出1还是0,只需扫描整个字符串,先判断扫到“n"时输出1,扫到”z”时输出0,这样就满足输出的数字是最大的。

AC代码

#include <stdio.h>
#include <math.h>
#include <string.h>
#include <stdlib.h>
int main()
{
	int n, i;
	scanf("%d", &n);
	char a[n];
	scanf("%s", a);
	for (i = 0; i < n; i++)
	{
		if (a[i] == 'n')
		{
			printf("1 ");
		}
	}
	for (i = 0; i < n; i++)
	{
		if (a[i] == 'z')
		{
			printf("0 ");
		}
	}
	return 0;
}

猜你喜欢

转载自blog.csdn.net/m0_46669450/article/details/107929990