Java [Leetcode 229]Bulls and Cows
You are playing the following Bulls and Cows game with your friend: You write down a number and ask your friend to guess what the number is. Each time your friend makes a guess, you provide a hint that indicates how many digits in said guess match your secret number exactly in both digit and position (called "bulls") and how many digits match the secret number but locate in the wrong position (called "cows"). Your friend will use successive guesses and hints to eventually derive the secret number.
For example:
Secret number: "1807"
Friend's guess: "7810"
Hint:
1
bull and 3
cows. (The bull is 8
, the cows are 0
, 1
and 7
.) Write a function to return a hint according to the secret number and friend's guess, use
A
to indicate the bulls and B
to indicate the cows. In the above example, your function should return "1A3B"
. Please note that both secret number and friend's guess may contain duplicate digits, for example:
Secret number: "1123"
Friend's guess: "0111"
In this case, the 1st
1
in friend's guess is a bull, the 2nd or 3rd 1
is a cow, and your function should return "1A1B"
. You may assume that the secret number and your friend's guess only contain digits, and their lengths are always equal.
문제 풀이 방향:
secret 열 이 해당 하 는 부분 을 읽 을 때마다 guess 와 대응 하 는 부분 이 같 으 면 bulls 변 수 는 1 을 추가 합 니 다.그렇지 않 으 면 시 크 릿 부분 에 해당 하 는 사전 의 수 치 를 1 로 추가 하고 guess 에 대응 하 는 사전 은 1 로 줄 입 니 다.
secret 가 대응 하 는 사전 의 수치 가 0 보다 작 는 지 판단 합 니 다. 만약 에 bulls 의 변 수 를 1 로 추가 합 니 다. (이전 guess 에 이 문자 가 나 타 났 고 짝 짓 기 에 성공 한 것 을 나타 냅 니 다)
guess 가 대응 하 는 사전 의 수치 가 0 보다 큰 지 판단 합 니 다. 만약 에 bulls 의 변 수 를 1 로 추가 합 니 다 (이전 secret 에 이 문자 가 나 타 났 고 짝 짓 기 에 성공 한 것 을 나타 냅 니 다)
코드 는 다음 과 같 습 니 다:
public class Solution {
public String getHint(String secret, String guess) {
int bulls = 0, cows = 0;
int[] count = new int[10];
for(int i = 0; i < secret.length(); i++){
if(secret.charAt(i) == guess.charAt(i)){
bulls++;
}
else {
count[secret.charAt(i) - '0']++;
count[guess.charAt(i) - '0']--;
if(count[secret.charAt(i) - '0'] <= 0)
cows++;
if(count[guess.charAt(i) - '0'] >= 0)
cows++;
}
}
return bulls + "A" + cows + "B";
}
}
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
다양한 언어의 JSONJSON은 Javascript 표기법을 사용하여 데이터 구조를 레이아웃하는 데이터 형식입니다. 그러나 Javascript가 코드에서 이러한 구조를 나타낼 수 있는 유일한 언어는 아닙니다. 저는 일반적으로 '객체'{}...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.