본문 바로가기

코딩테스트 연습(with java)/프로그래머스

프로그래머스<두 개 뽑아서 더하기

문제 설명

정수 배열 numbers가 주어집니다. numbers에서 서로 다른 인덱스에 있는 두 개의 수를 뽑아 더해서 만들 수 있는 모든 수를 배열에 오름차순으로 담아 return 하도록 solution 함수를 완성해주세요.


제한사항
  • numbers의 길이는 2 이상 100 이하입니다.
    • numbers의 모든 수는 0 이상 100 이하입니다.

 

입출력 예
numbers                                                                               result
[2,1,3,4,1] [2,3,4,5,6,7]
[5,0,2,7] [2,5,7,9,12]

 

나의 코드

 

import java.util.Arrays;
import java.util.HashSet;

class Solution {
    public int[] solution(int[] numbers) {
        int[] answer = {};
        HashSet<Integer> set1 = new HashSet<Integer>();
        for(int i=0; i<numbers.length; i++){
            for(int j=i+1; j<numbers.length; j++){
                set1.add(numbers[i]+numbers[j]);
            
            }
        }
        return set1.stream().sorted().mapToInt(Integer::intValue).toArray();
    }
}

 

먼저 더한 값들을 Hashset에 대입함으로써 중복된 값들이 생기지 않도록 해주었다. 그 뒤 HashSet을 ArrayList로, Array로 Stream을 통해 변경해주었더니 해결이 되었다.