输入一个四位数,将其加密后输出。方法是将该数每一位上的数字加9,然后除以10取余,做为该位上的新数字,最后将千位和十位上的数字互换,百位和个位上的数字互换,组成加密后的新四位数。例如输入1257,经过加9取余后得到新数字0146,再经过两次换位后得到4601。
输入格式: 输入在一行中给出一个四位的整数x,即要求被加密的数。
输出格式: 在一行中按照格式“The encrypted number is V”输出加密后得到的新数V。
输入样例: 1257 输出样例: The encrypted number is 4601
#include<stdio.h> //题目给定条件是4位数,所以比较简单,直接可以用四个变量取出四个数字,然后进行操作 //int main() //{ // int num,a,b,c,d,result; // scanf("%d",&num); // a=num/1000;b=num/100%10;c=num/10%10;d=num%10; // a=(a+9)%10;b=(b+9)%10;c=(c+9)%10;d=(d+9)%10; // printf("The encrypted number is %d%d%d%d\n",c,d,a,b); // return 0; //} //通用的解法适用于不限定是几位数 void swap(int *a,int *b); int main() { int a[4],num; scanf("%d",&num); for(int i=3;i>=0;i--){ a[i]=num%10; num/=10; } for(int i=0;i<4;i++){ a[i]=(a[i]+9)%10; } swap(&a[0],&a[2]); swap(&a[1],&a[3]); printf("The encrypted number is "); for(int i=0;i<4;i++){ printf("%d",a[i]); } printf("\n"); return 0; } void swap(int *a,int *b){ int t=*a; *a=*b; *b=t; }