두 정수 a, b가 주어졌을 때 a와 b 사이에 속한 모든 정수의 합을 리턴하는 함수, solution을 완성하세요.
예를 들어 a = 3, b = 5인 경우, 3 + 4 + 5 = 12이므로 12를 리턴합니다.
- a와 b가 같은 경우는 둘 중 아무 수나 리턴하세요.
- a와 b는 -10,000,000 이상 10,000,000 이하인 정수입니다.
- a와 b의 대소관계는 정해져있지 않습니다.
a | b | return |
---|---|---|
3 | 5 | 12 |
3 | 3 | 3 |
5 | 3 | 12 |
Math 클래스의 min(), max() 메소드 활용
class Solution {
public long solution(int a, int b) {
long answer = 0;
// a,b 둘중 작은 수 부터 큰 수까지 for문 돌려서 answer에 더하기
for (int i = Math.min(a, b); i <= Math.max(a, b); i++) {
answer += i;
}
return answer;
}
}
if 조건문 활용
class Solution {
public long solution(int a, int b) {
long answer = 0;
// if 조건문으로 a , b 의 대소 구분 후 answer에 더하기
if (a < b) {
for (int i = a; i <= b; i++) {
answer += i;
}
} else {
for (int i = b; i <= a; i++) {
answer += i;
}
}
return answer;
}
}
[프로그래머스 - 두 정수 사이의 합]
https://programmers.co.kr/learn/courses/30/lessons/12912
엄청 깔끔하게 정리해 놓으셨군요! 잘 보고 갑니다~