首页 > 代码库 > PAT/字符串处理习题集(一)

PAT/字符串处理习题集(一)

B1006. 换个格式输出整数 (15)

Description:

让我们用字母B来表示“百”、字母S表示“十”,用“12...n”来表示个位数字n(<10),换个格式来输出任一个不超过3位的正整数。例如234应该被输出为BBSSS1234,因为它有2个“百”、3个“十”、以及个位的4。

Input:

每个测试输入包含1个测试用例,给出正整数n(<1000)。

Output:

每个测试用例的输出占一行,用规定的格式输出n。

Sample Input1:

234

Sample Output1:

BBSSS1234

Sample Input2:

23

Sample Output2:

SS123

 1 #include <cstdio>
 2 
 3 int main()
 4 {
 5     int n;
 6     scanf("%d", &n);
 7 
 8     int num = 0, ans[5];
 9     while(n != 0) {
10         ans[num++] = n%10;
11         n /= 10;
12     }
13 
14     for(int i=num-1; i>=0; --i) {
15         if(i == 2) {
16             for(int j=0; j<ans[i]; ++j)
17                 printf("B");
18         } else if(i == 1) {
19             for(int j=0; j<ans[i]; ++j)
20                 printf("S");
21         } else {
22             for(int j=1; j<=ans[i]; ++j)
23                 printf("%d", j);
24         }
25     }
26 
27     return 0;
28 }

 

B1021. 个位数统计 (15)

Description:

给定一个k位整数N = dk-1*10k-1 + ... + d1*101 + d0 (0<=di<=9, i=0,...,k-1, dk-1>0),请编写程序统计每种不同的个位数字出现的次数。例如:给定N = 100311,则有2个0,3个1,和1个3。

Input:

每个输入包含1个测试用例,即一个不超过1000位的正整数N。

Output:

对N中每一种不同的个位数字,以D:M的格式在一行中输出该位数字D及其在N中出现的次数M。要求按D的升序输出。

Sample Input:

100311

Sample Output:

0:2
1:3
3:1

 1 #include <cstdio>
 2 #include <cstring>
 3 
 4 #define MaxSize 1010
 5 char List[MaxSize];
 6 
 7 int main()
 8 {
 9     //freopen("E:\\Temp\\input.txt", "r", stdin);
10 
11     gets(List);
12 
13     int len = strlen(List), ans[10] = {0};
14     for(int i=0; i<len; ++i)
15         ++ans[List[i]-0];
16 
17     for(int i=0; i<10; ++i) {
18         if(ans[i] != 0)
19             printf("%d:%d\n", i, ans[i]);
20     }
21 
22     return 0;
23 }

 

PAT/字符串处理习题集(一)