정수 배열 numbers가 주어집니다. numbers에서 서로 다른 인덱스에 있는 두 개의 수를 뽑아 더해서 만들 수 있는 모든 수를 배열에 오름차순으로 담아 return 하도록 solution 함수를 완성해주세요.
numbers | result |
---|---|
[2,1,3,4,1] | [2,3,4,5,6,7] |
[5,0,2,7] | [2,5,7,9,12] |
입출력 예 #1
[2,3,4,5,6,7]
을 return 해야 합니다.입출력 예 #2
[2,5,7,9,12]
를 return 해야 합니다.using System;
using System.Linq;
using System.Collections.Generic;
public class Solution {
public int[] solution(int[] numbers) {
List<int> list = new List<int>();
for(int i = 0; i < numbers.Length; i++)
{
for(int j = i + 1; j < numbers.Length; j++)
{
if(list.Contains(numbers[i] + numbers[j])) continue;
list.Add(numbers[i] + numbers[j]);
}
}
list.Sort();
return list.ToArray();
}
}