LeetCode 299 猜數字遊戲
阿新 • • 發佈:2021-11-08
你在和朋友一起玩 猜數字(Bulls and Cows)遊戲,該遊戲規則如下:
寫出一個祕密數字,並請朋友猜這個數字是多少。朋友每猜測一次,你就會給他一個包含下述資訊的提示:
- 猜測數字中有多少位屬於數字和確切位置都猜對了(稱為 "Bulls", 公牛),
- 有多少位屬於數字猜對了但是位置不對(稱為 "Cows", 奶牛)。也就是說,這次猜測中有多少位非公牛數字可以通過重新排列轉換成公牛數字。
給你一個祕密數字secret
和朋友猜測的數字guess
,請你返回對朋友這次猜測的提示。
提示的格式為 "xAyB"
,x
是公牛個數, y
是奶牛個數,A
表示公牛,B
表示奶牛。
請注意祕密數字和朋友猜測的數字都可能含有重複數字。
示例 1:
輸入: secret = "1807", guess = "7810" 輸出: "1A3B" 解釋: 數字和位置都對(公牛)用 '|' 連線,數字猜對位置不對(奶牛)的採用斜體加粗標識。 "1807" | "7810"
示例 2:
輸入: secret = "1123", guess = "0111" 輸出: "1A1B" 解釋: 數字和位置都對(公牛)用 '|' 連線,數字猜對位置不對(奶牛)的採用斜體加粗標識。 "1123" "1123" | or | "0111" "0111" 注意,兩個不匹配的 1 中,只有一個會算作奶牛(數字猜對位置不對)。通過重新排列非公牛數字,其中僅有一個 1 可以成為公牛數字。
示例 3:
輸入:secret = "1", guess = "0" 輸出:"0A0B"
示例 4:
輸入:secret = "1", guess = "1" 輸出:"1A0B"
雜湊
public static String getHint(String secret, String guess) { if (secret == null || secret.length() == 0) return ""; int n = secret.length(); // 分別統計兩個字串中每個數字出現的個數 int[] cnS = new int[10]; int[] cnG = new int[10]; char[] secretChs = secret.toCharArray(); char[] guessChs = guess.toCharArray(); int cntA = 0, cntB = 0; for (int i = 0; i < n; i++) { if (secretChs[i] == guessChs[i]) cntA++; else { cnS[secretChs[i] - '0']++; cnG[guessChs[i] - '0']++; } } for (int i = 0; i < 10; i++) { cntB += Math.min(cnS[i], cnG[i]); } return String.valueOf(cntA) + "A" + String.valueOf(cntB) + "B"; }
測試用例
public static void main(String[] args) {
String secret = "1807";
String guess = "7810";
String hint = GetHint.getHint(secret, guess);
System.out.println("GetHint demo01 result : " + hint);
secret = "1123";
guess = "0111";
hint = GetHint.getHint(secret, guess);
System.out.println("GetHint demo02 result : " + hint);
secret = "1";
guess = "0";
hint = GetHint.getHint(secret, guess);
System.out.println("GetHint demo03 result : " + hint);
secret = "1";
guess = "1";
hint = GetHint.getHint(secret, guess);
System.out.println("GetHint demo04 result : " + hint);
}
GetHint demo01 result : 1A3B
GetHint demo02 result : 1A1B
GetHint demo03 result : 0A0B
GetHint demo04 result : 1A0B