문 제
두 자연수 A와 B가 있을 때, A%B는 A를 B로 나눈 나머지 이다. 예를 들어, 7, 14, 27, 38을 3으로 나눈 나머지는 1, 2, 0, 2이다. 수 10개를 입력받은 뒤, 이를 42로 나눈 나머지를 구한다. 그 다음 서로 다른 값이 몇 개 있는지 출력하는 프로그램을 작성하시오.
입 력
첫째 줄부터 열번째 줄 까지 숫자가 한 줄에 하나씩 주어진다. 이 숫자는 1,000보다 작거나 같고, 음이 아닌 정수이다.
1
2
3
4
5
6
7
8
9
10
42
84
252
420
840
126
42
84
420
126
39
40
41
42
43
44
82
83
84
85
출 력
첫째 줄에, 42로 나누었을 때, 서로 다른 나머지가 몇 개 있는지 출력한다.
10
1
6
코 드
using System;
using System.Linq;
using System.Collections.Generic;
using static System.Console;
namespace algorithm
{
class Program
{
static void Main(string[] args)
{
int[] input = new int[10];
for (int i = 0; i < input.Length; i++)
input[i] = int.Parse(ReadLine());
List<int> list = new List<int>();
for (int i = 0; i < input.Length; i++)
list.Add(input[i] % 42);
var result = list.Distinct();
Write(result.Count());
}
}
}
비교코드 - 1
간소화 버전 List를 쓸 필요 없이 바로 int 배열로 사용
using System;
using System.Linq;
using System.Collections.Generic;
namespace algorithm
{
class Program
{
static void Main(string[] args)
{
int[] arr = new int[10];
for (int i = 0; i < 10; i++)
arr[i] = int.Parse(Console.ReadLine()) % 42;
Console.WriteLine(arr.Distinct().Count());
}
}
}
공 부
Distict() 함수
- ‘System.Linq’ 사용
- 배열에서 중복 값을 제거하고 새로운 배열을 생성
- 데이터 형식이 ‘참조형식’ 이라면, Distinct() 함수 사용 시 Heap 영역에 생성된 참조값(주소)로 비교한다. 그 결과 중복된 수의 제거가 일어나지 않음.