프로그래머스 구슬을 나누는 경우의 수[Java]
구슬을 나누는 경우의 수
💫문제 설명💫
머쓱이는 구슬을 친구들에게 나누어주려고 합니다. 구슬은 모두 다르게 생겼습니다.
머쓱이가 갖고 있는 구슬의 개수 balls와 친구들에게 나누어 줄 구슬 개수 share이 매개변수로 주어질 때,
balls개의 구슬 중 share개의 구슬을 고르는 가능한 모든 경우의 수를 return 하는 solution 함수를 완성해주세요.
💫제한사항💫
1 ≤ balls ≤ 30
1 ≤ share ≤ 30
구슬을 고르는 순서는 고려하지 않습니다.
share ≤ balls
💫입출력 ex💫
balls | share | result |
---|---|---|
3 | 2 | 3 |
5 | 3 | 10 |
문제풀이
class Solution {
// 입출력 ex) balls = 5, share = 3
public int solution(int balls, int share) {
// (1) Math.min(5 - 3, 3) share는 2
// (2) Math.min(4 - 1, 1) share는 1
// (3) Math.min(3 - 0, 0) share는 0
share = Math.min(balls - share, share);
// 재귀 (1) balls=5 , share=2
// 재귀 (2) balls=4 , share=1
if (share == 0)
return 1;
long result = solution(balls - 1, share - 1);
result *= balls;
result /= share;
return (int)result;
}
}
Leave a comment