競技プログラミングの鉄則
次の問題へ
前の問題へ
A18 Subset Sum
C#のソース
using System;
using System.Collections.Generic;
using System.Linq;
class Program
{
static string InputPattern = "InputX";
static List<string> GetInputList()
{
var WillReturn = new List<string>();
if (InputPattern == "Input1") {
WillReturn.Add("3 7");
WillReturn.Add("2 2 3");
//Yes
}
else if (InputPattern == "Input2") {
WillReturn.Add("4 11");
WillReturn.Add("3 1 4 5");
//No
}
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(pX => int.Parse(pX)).ToArray();
int S = wkArr[1];
int UB = S;
int[] AArr = InputList[1].Split(' ').Select(pX => int.Parse(pX)).ToArray();
// 到達可否[Sum]なインラインDP表
bool[] DPArr = new bool[UB + 1];
DPArr[0] = true;
foreach (int EachA in AArr) {
for (int I = UB; 0 <= I; I--) {
if (DPArr[I] == false) continue;
int NewI = I + EachA;
if (UB < NewI) continue;
DPArr[NewI] = true;
}
}
if (DPArr[UB]) {
Console.WriteLine("Yes");
}
else {
Console.WriteLine("No");
}
}
}
解説
到達可否[Sum]を更新するインラインDPで解いてます。