挑戰程式設計:程式設計競賽訓練手冊-題解:UVa100_3nPlus1
阿新 • • 發佈:2018-12-30
UVa100_3nPlus1
/*
每週一題(1)
The 3n+1 problem (3n+1 問題)
PC/UVa IDs: 110101/100, Popularity: A, Success rate: low Level: 1
測試地址:https://vjudge.net/problem/UVA-100
[問題描述]
考慮如下的序列生成演算法:從整數 n 開始,如果 n 是偶數,把它除以 2;如果 n 是奇數,把它乘 3 加
1。用新得到的值重複上述步驟,直到 n = 1 時停止。例如,n = 22 時該演算法生成的序列是:
22,11,34,17,52,26,13,40,20,10,5,16,8,4,2,1
人們猜想(沒有得到證明)對於任意整數 n,該演算法總能終止於 n = 1。這個猜想對於至少 1 000 000
內的整數都是正確的。
對於給定的 n,該序列的元素(包括 1)個數被稱為 n 的迴圈節長度。在上述例子中,22 的迴圈節長度
為 16。輸入兩個數 i 和 j,你的任務是計算 i 到 j(包含 i 和 j)之間的整數中,迴圈節長度的最大
值。
[輸入]
輸入每行包含兩個整數 i 和 j。所有整數大於 0,小於 1 000 000。
[輸出]
對於每對整數 i 和 j,按原來的順序輸出 i 和 j,然後輸出二者之間的整數中的最大迴圈節長度。這三
個整數應該用單個空格隔開,且在同一行輸出。對於讀入的每一組資料,在輸出中應位於單獨的一行。
[樣例輸入]
1 10
100 200
201 210
900 1000
[樣例輸出]
1 10 20
100 200 125
201 210 89
900 1000 174
*/
import java.util.HashMap;
import java.util.Scanner;
public class W1_UVa100_3nPlus1 {
static HashMap<Integer, Integer> map = new HashMap<>();
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
while (sc.hasNext()) {
int i = sc.nextInt();
int j = sc.nextInt();
int a = i;
int b = j;
if (i > j) {
a = j;
b = i;
}
int max = -1;
for (int k = a; k <= b; k++) {
Integer fk = map.get(k);
if (fk == null) fk = f(k);
max = Integer.max(max, fk);
}
System.out. println(i + " " + j + " " + max);
}
}
static int f(long k) {
int count = 1;
while (k != 1) {
if ((k & 1) == 0) {
k /= 2;
} else {
k = k * 3 + 1;
}
count++;
}
return count;
}
}