1019 數字黑洞 (20 分)
阿新 • • 發佈:2021-02-05
給定任一個各位數字不完全相同的 4 位正整數,如果我們先把 4 個數字按非遞增排序,再按非遞減排序,然後用第 1 個數字減第 2 個數字,將得到一個新的數字。一直重複這樣做,我們很快會停在有“數字黑洞”之稱的 6174,這個神奇的數字也叫 Kaprekar 常數。
例如,我們從6767開始,將得到
7766 - 6677 = 1089
9810 - 0189 = 9621
9621 - 1269 = 8352
8532 - 2358 = 6174
7641 - 1467 = 6174
... ...
現給定任意 4 位正整數,請編寫程式演示到達黑洞的過程。
輸入格式:
輸出格式:
如果 N 的 4 位數字全相等,則在一行內輸出 N - N = 0000;否則將計算的每一步在一行內輸出,直到 6174 作為差出現,輸出格式見樣例。注意每個數字按 4 位數格式輸出。
#include <iostream>
#include <cstdio>
#include <algorithm>
using namespace std;
bool compare1(int a, int b) {
return a > b;
}
bool compare2(int a, int b) {
return a < b;
}
int dijian(int n) {
int a;
int A[4];
A[0] = n / 1000;
A[1] = (n / 100) % 10;
A[2] = (n / 10) % 10;
A[3] = n % 10;
sort(A, A + 4, compare2);
a = A[0] * 1000 + A[1] * 100 + A[2] * 10 + A[3];
return a;
}
int dizen(int n) {
int a;
int A[4];
A[0] = n / 1000;
A[1] = (n / 100) % 10;
A[2] = (n / 10) % 10;
A[3] = n % 10;
sort(A, A+4, compare1);
a = A[0] * 1000 + A[1] * 100 + A[2] * 10 + A[3];
return a;
}
int main() {
int n;
cin >> n;
if (n == 6174) {
cout << "7641 - 1467 = 6174";
return 0;
}
if (n % 1111 == 0)
printf("%04d - %04d = 0000\n", n, n);
else {
while (n != 6174) {
printf("%04d - %04d = %04d\n", dizen(n), dijian(n), dizen(n) - dijian(n));
n = dizen(n) - dijian(n);
}
}
return 0;
}