競技プログラミングの鉄則
次の問題へ
前の問題へ
A23 All Free
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 4");
WillReturn.Add("0 0 1");
WillReturn.Add("0 1 0");
WillReturn.Add("1 0 0");
WillReturn.Add("1 1 0");
//2
}
else if (InputPattern == "Input2") {
WillReturn.Add("10 2");
WillReturn.Add("1 1 1 1 0 0 0 0 0 0");
WillReturn.Add("0 0 0 0 1 1 1 1 0 0");
//-1
}
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 N = wkArr[0];
int AllBitOn = (1 << N) - 1;
var DecValList = new List<int>();
foreach (string EachStr in InputList.Skip(1)) {
int[] BitArr = EachStr.Split(' ').Select(pX => int.Parse(pX)).ToArray();
DecValList.Add(DeriveDecVal(BitArr));
}
// 最小のクーポン枚数[BitSet]なインラインDP表
int?[] DPArr = new int?[AllBitOn + 1];
DPArr[0] = 0;
foreach (int EachVal in DecValList) {
for (int I = 0; I <= AllBitOn; I++) {
if (DPArr[I].HasValue == false) continue;
int NewI = I | EachVal;
int NewVal = DPArr[I].Value + 1;
if (DPArr[NewI].HasValue) {
if (DPArr[NewI] <= NewVal) {
continue;
}
}
DPArr[NewI] = NewVal;
}
}
if (DPArr[AllBitOn].HasValue) {
Console.WriteLine(DPArr[AllBitOn]);
}
else {
Console.WriteLine(-1);
}
}
// 配列を引数として、2進数から10進数に変更した値を返す
static int DeriveDecVal(int[] pBitArr)
{
int WillReturn = 0;
int Omomi = 1;
foreach (int EachInt in pBitArr.Reverse()) {
if (EachInt == 1) {
WillReturn += Omomi;
}
Omomi *= 2;
}
return WillReturn;
}
}
解説
BitDPで解いてます。