トップページに戻る    次の競技プログラミングの問題へ    前の競技プログラミングの問題へ

ABC-028-C 数を3つ選ぶマン

■■■問題■■■

異なる整数が5個与えられます。
この中から3つ選んでその和で表すことの出来る整数のうち、
3番目に大きいものを出力してください。

■■■入力■■■

A B C D E

1行に5つの整数 A,B,C,D,E (1 <= A<B<C<D<E <= 100) が空白区切りで与えられる。

■■■出力■■■

問題文に述べた通りの結果を出力せよ。出力は標準出力に行い、末尾に改行を入れること。


C#のソース

using System;
using System.Collections.Generic;
using System.Linq;

class Program
{
    static string InputPattern = "Input1";

    static List<string> GetInputList()
    {
        var WillReturn = new List<string>();

        if (InputPattern == "Input1") {
            WillReturn.Add("1 2 3 4 5");
            //10
            //3つ選んでその和で表すことのできる整数は 6,7,8,9,10,11,12 です。
            //なので、このなかで3番目に大きい10を出力します。
        }
        else if (InputPattern == "Input2") {
            WillReturn.Add("1 2 3 5 8");
            //14
        }
        else {
            string wkStr;
            while ((wkStr = Console.ReadLine()) != null) WillReturn.Add(wkStr);
        }
        return WillReturn;
    }

    static void Main()
    {
        List<string> InputList = GetInputList();
        int[] wkArr = InputList[0].Split(' ').Select(X => int.Parse(X)).ToArray();
        int UB = wkArr.GetUpperBound(0);

        var SumSet = new HashSet<int>();

        for (int I = 0; I <= UB; I++) {
            for (int J = I + 1; J <= UB; J++) {
                for (int K = J + 1; K <= UB; K++) {
                    SumSet.Add(wkArr[I] + wkArr[J] + wkArr[K]);
                }
            }
        }
        Console.WriteLine(SumSet.OrderByDescending(X => X).ElementAt(2));
    }
}


解説

HashSetで和を管理してます。