(JAVA) 두 개 뽑아서 더하기 - 프로그래머스

delay.Dev·2020년 9월 21일
0

프로그래머스

목록 보기
9/13
post-thumbnail

프로그래머스 - 두 개 뽑아서 더하기 문제 링크

[문제]

문제 설명

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

제한 사항

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

입출력 예

numbersresult
[2,1,3,4,1][2,3,4,5,6,7]
[5,0,2,7][2,5,7,9,12]

[풀이]

해설

for문을 돌면서 인덱스 각각 더해주고 중복값을 막기 위해 list에 합을 저장한다. list에 담긴 값을 배열에 저장하고 arrays.sort()를 이용해 정렬한 뒤 반환한다.

코드

static public int[] solution(int[] numbers) {
	List<Integer> list = new ArrayList<Integer>();

	for (int i = 0; i < numbers.length - 1; i++) {
		for (int j = i + 1; j < numbers.length; j++) {
			int c = numbers[i] + numbers[j];
			if (list.indexOf(c) < 0)
				list.add(c);
		}
	}

	int[] answer = new int[list.size()];

	for (int i = 0; i < list.size(); i++) {
		answer[i] = list.get(i);
	}

	Arrays.sort(answer);
	
	return answer;
}

0개의 댓글