C语言拯救计划Day4-3之数字加密
输入一个四位数,将其加密后输出。方法是将该数每一位上的数字加9,然后除以10取余,做为该位上的新数字,最后将千位和十位上的数字互换,百位和个位上的数字互换,组成加密后的新四位数。例如输入1257,经过加9取余后得到新数字0146,再经过两次换位后得到4601。
输入格式:
输入在一行中给出一个四位的整数x,即要求被加密的数。
输出格式:
在一行中按照格式“The encrypted number is V”输出加密后得到的新数V。
输入样例:
1257
输出样例:
The encrypted number is 4601
1 #include <stdio.h> 2 #include <stdlib.h> 3 int main() 4 { 5 int x; 6 int a[4]; 7 int k=0; 8 scanf("%d",&x); 9 int i; 10 ///用for循环避免了前导0和后置0的情况 11 for (i=0;i<4;i++) {///因为知道是4位数,所以可以通过循环4次来分离每位数字 12 13 a[k++]=(x%10+9)%10; 14 x/=10; 15 16 } 17 ///无需写swap函数,输出的时候换位置就好 18 printf("The encrypted number is %d%d%d%d",a[1],a[0],a[3],a[2]); 19 20 return 0; 21 }