문 제

N개의 정수가 주어진다. 이때, 최솟값과 최댓값을 구하는 프로그램을 작성하시오.

입 력

첫째 줄에 정수의 개수 N (1 ≤ N ≤ 1,000,000)이 주어진다. 둘째 줄에는 N개의 정수를 공백으로 구분해서 주어진다. 모든 정수는 -1,000,000보다 크거나 같고, 1,000,000보다 작거나 같은 정수이다.

5
20 10 35 30 7

출 력

첫째 줄에 주어진 정수 N개의 최솟값과 최댓값을 공백으로 구분해 출력한다.

7 35

코 드

using System;
using System.Linq;
using System.Collections.Generic;
using static System.Console;

namespace algorithm
{
    class Program
    {
        static void Main(string[] args)
        {
            int N = int.Parse(ReadLine());
            List<int> list = new List<int>();
            int[] num = ReadLine().Split(' ').Select(int.Parse).ToArray();

            for (int i = 0; i < N; i++)
                list.Add(num[i]);

            Write($"{list.Min()} {list.Max()}");
        }
    }
}

비교코드 - 1

  • List 선언과 동시에 입력받은 값을 로 변환 후 초기화.
using System;
using System.Linq;
using System.Collections.Generic;

namespace algorithm
{
    class Program
    {
        static void Main(string[] args)
        {
            int N = int.Parse(Console.ReadLine());
            List<int> list = new List<int>(Array.ConvertAll(Console.ReadLine().Split(), int.Parse));

            Console.Write($"{list.Min()} {list.Max()}");
        }
    }
}

공 부