题目要求
输入一个数字,按顺序打印一个数字的每一位(例如 1234 打印出 1 2 3 4) ,用递归实现
实现代码
import java.util.Scanner;
public class Main {
public static void printf(int x) {
if (x < 10) {
System.out.print(x + " ");
} else {
printf(x / 10);
System.out.print(x % 10 + " ");
}
}
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
System.out.print("请您输入一个数字:");
int n = sc.nextInt();
printf(n);
}
}
实现思路和图例说明
递的过程
按顺序传递数字进去
归的过程
先执行①打印1,把①的结果返回给②,然后执行③打印2。然后把打印好的1和2返回给④,再执行⑤打印3,最后把打印好的1,2和3返回给⑥,最后执行⑦打印4,这样子就结束了整个递归的过程。
输出结果
请您输入一个数字:1234
1 2 3 4
请您输入一个数字:31415926
3 1 4 1 5 9 2 6
觉得写的不错的话点个赞呗😊