문제 주소
https://school.programmers.co.kr/learn/courses/30/lessons/12945
문제 설명
피보나치 수는 F(0) = 0, F(1) = 1일 때, 1 이상의 n에 대하여 F(n) = F(n-1) + F(n-2) 가 적용되는 수 입니다.
예를들어
- F(2) = F(0) + F(1) = 0 + 1 = 1
- F(3) = F(1) + F(2) = 1 + 1 = 2
- F(4) = F(2) + F(3) = 1 + 2 = 3
- F(5) = F(3) + F(4) = 2 + 3 = 5
와 같이 이어집니다.
2 이상의 n이 입력되었을 때, n번째 피보나치 수를 1234567으로 나눈 나머지를 리턴하는 함수, solution을 완성해 주세요.
제한 사항
- n은 2 이상 100,000 이하인 자연수입니다.
입출력 예
n return
3 | 2 |
5 | 5 |
입출력 예 설명
피보나치수는 0번째부터 0, 1, 1, 2, 3, 5, ... 와 같이 이어집니다.
풀이과정
class Solution {
public int solution(int n) {
int now = 1;
int before2 = 0;
int before1 = 1;
for(int i = 0;i<n-2;i++){
now = before2 + before1;
before1 = now;
before2 = before1;
}
return now%1234567;
}
}
테스트 1
입력값 〉 3
기댓값 〉 2
실행 결과 〉 실행한 결괏값 1이 기댓값 2과 다릅니다.
테스트 2
입력값 〉 5
기댓값 〉 5
실행 결과 〉 실행한 결괏값 4이 기댓값 5과 다릅니다.
0 0
1 1
2 1
3 2
4 3
5 5
6 8
before1 = now;
before2 = before1;
→
before2 = before1;
before1 = now;
넣는 순서 바꿔줌 before1에다 now를 넣은 다음에 before1을 before2에다 넣으면 before2에다가 now를 넣는 꼴임
테스트 1 〉 통과 (0.02ms, 75.8MB)
테스트 2 〉 통과 (0.02ms, 73.7MB)
테스트 3 〉 통과 (0.02ms, 74MB)
테스트 4 〉 통과 (0.01ms, 76.9MB)
테스트 5 〉 통과 (0.01ms, 73.8MB)
테스트 6 〉 통과 (0.02ms, 86MB)
테스트 7 〉 실패 (0.05ms, 80.3MB)
테스트 8 〉 실패 (0.03ms, 78.5MB)
테스트 9 〉 실패 (0.02ms, 72.3MB)
테스트 10 〉 실패 (0.05ms, 71.1MB)
테스트 11 〉 실패 (0.04ms, 70.8MB)
테스트 12 〉 실패 (0.02ms, 73.9MB)
테스트 13 〉 실패 (3.54ms, 89.6MB)
테스트 14 〉 실패 (1.45ms, 73.5MB)
해결책1 BigInteger
import java.math.BigInteger;
class Solution {
public int solution(int n) {
BigInteger now = new BigInteger(1);
BigInteger before2 = new BigInteger(1);
BigInteger before1 = new BigInteger(1);
for(int i = 0;i<n-2;i++){
now = before2.add(before1);
before2 = before1;
before1 = now;
}
return (int)now%1234567;
}
}
해결책2 더하는 과정에서 %연산 함
class Solution {
public int solution(int n) {
int now = 1;
int before2 = 1;
int before1 = 1;
for(int i = 0;i<n-2;i++){
now = (before2+before1)%1234567;
before2 = before1;
before1 = now;
}
return now;
}
}
'Coding Test' 카테고리의 다른 글
[프로그래머스]귤 고르기 (1) | 2024.01.08 |
---|---|
[프로그래머스] 카펫 (1) | 2024.01.08 |
[프로그래머스] JadenCase 문자열 만들기 (0) | 2024.01.08 |
[프로그래머스] 최댓값과 최솟값 (0) | 2024.01.08 |
[프로그래머스]개인정보 수집 유효기간 (0) | 2023.12.18 |