读入一个正整数 n,计算其各位数字之和,用汉语拼音写出和的每一位数字。
输入格式:
每个测试输入包含 1 个测试用例,即给出自然数 n 的值。这里保证 n 小于 10100。
输出格式:
在一行内输出 n 的各位数字之和的每一位,拼音数字间有 1 空格,但一行中最后一个拼音数字后没有空格。
输入样例:
1234567890987654321123456789
输出样例:
yi san wu
代码如下:
import java.util.Scanner; //导入Scanner类,用于输入
public class Main { //定义一个名为Main的公共类
public static void main(String[] args) { //类的主方法,程序运行入口
Scanner sc = new Scanner(System.in); //创建Scanner对象,用于输入
String s = sc.nextLine(); //读入一行字符串
int sum = 0; //初始化一个整数变量sum,用于存储各位数之和
int[] arr = new int[s.length()]; //定义一个整型数组arr,用于存储各位数字
for (int i = 0; i < s.length(); i++) { //循环遍历字符串s的每一位
arr[i] = s.charAt(i) - '0'; //将字符转换为数字,并存储到数组arr中
sum += arr[i]; //将数字累加到sum变量中
}
if (sum == 0) { //如果各位数之和为0,则输出"ling"
System.out.println("ling");
} else { //否则执行以下操作
int[] result = new int[10]; //定义一个整型数组result,用于存储各位数字的汉字表示
int i = 0; //初始化一个整数变量i,用于记录result数组中存储了几个数字
while (sum != 0) { //循环将各位数字的汉字表示存储到result数组中
result[i] = sum % 10; //取出sum变量的个位数字,并存储到result数组中
sum /= 10; //将sum变量除以10,舍去个位数字
i++; //i自增1
}
for (int j = i - 1; j >= 0; j--) { //倒序遍历result数组
switch (result[j]) { //根据result数组中的数字选择输出对应的汉字
case 0:
System.out.print("ling"); //如果为0,则输出"ling"
break;
case 1:
System.out.print("yi"); //如果为1,则输出"yi"
break;
case 2:
System.out.print("er"); //如果为2,则输出"er"
break;
case 3:
System.out.print("san"); //如果为3,则输出"san"
break;
case 4:
System.out.print("si"); //如果为4,则输出"si"
break;
case 5:
System.out.print("wu"); //如果为5,则输出"wu"
break;
case 6:
System.out.print("liu"); //如果为6,则输出"liu"
break;
case 7:
System.out.print("qi"); //如果为7,则输出"qi"
break;
case 8:
System.out.print("ba"); //如果为8,则输出"ba"
break;
case 9:
System.out.print("jiu"); //如果为9,则输出"jiu"
break;
}
if (j != 0) { //如果不是最后一个数字,则输出一个空格
System.out.print(" ");
}
}
}
}
}
不用switch用字符串数组实现:
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
String s = sc.nextLine();
int sum = 0;
int[] arr = new int[s.length()];
String[] st = {"ling", "yi", "er", "san", "si", "wu", "liu", "qi", "ba", "jiu"};
for(int i = 0; i < s.length();i++){
arr[i] = s.charAt(i) - '0';
sum += arr[i];
}
//再创建一个数组,反向输出
String[] str = new String[10];
int j = 0;
while(sum != 0 ){
str[j++] = st[sum%10];
sum = sum / 10;
}
for(j = j - 1; j >= 0; j--){
if(j > 0)
System.out.print(str[j] + " ");
else System.out.print(str[j]);
}
}
}
标签:PAT,Level,--,sum,System,break,int,print,out
From: https://blog.csdn.net/2302_79648928/article/details/143134117