AtCoderのABC
次のABCの問題へ
前のABCの問題へ
ABC248-D Range Count Query
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("5");
WillReturn.Add("3 1 4 1 5");
WillReturn.Add("4");
WillReturn.Add("1 5 1");
WillReturn.Add("2 4 3");
WillReturn.Add("1 5 2");
WillReturn.Add("1 3 3");
//2
//0
//0
//1
}
else {
string wkStr;
while ((wkStr = Console.ReadLine()) != null) WillReturn.Add(wkStr);
}
return WillReturn;
}
static void Main()
{
List<string> InputList = GetInputList();
int[] AArr = InputList[1].Split(' ').Select(pX => int.Parse(pX)).ToArray();
var IndListDict = new Dictionary<int, List<int>>();
for (int I = 0; I <= AArr.GetUpperBound(0); I++) {
if (IndListDict.ContainsKey(AArr[I]) == false) {
IndListDict[AArr[I]] = new List<int>();
}
IndListDict[AArr[I]].Add(I);
}
int[] wkArr = { };
Action<string> SplitAct = pStr =>
wkArr = pStr.Split(' ').Select(pX => int.Parse(pX)).ToArray();
var sb = new System.Text.StringBuilder();
foreach (string EachStr in InputList.Skip(3)) {
SplitAct(EachStr);
int L = wkArr[0] - 1; // 0オリジンにしておく
int R = wkArr[1] - 1; // 0オリジンにしておく
int X = wkArr[2];
if (IndListDict.ContainsKey(X) == false) {
sb.AppendLine("0");
continue;
}
var CurrList = IndListDict[X];
int LowerB = ExecNibunhou_LowerBound(L, CurrList);
if (LowerB == -1) {
sb.AppendLine("0");
continue;
}
int LowerOrEqual_Max = ExecNibunhou_LowerOrEqual_Max(R, CurrList);
if (LowerOrEqual_Max == -1) {
sb.AppendLine("0");
continue;
}
sb.Append(LowerOrEqual_Max - LowerB + 1); // 植木算
sb.AppendLine();
}
Console.Write(sb.ToString());
}
// 二分法で、Val以上で最小の値を持つ、添字を返す (List版)
static int ExecNibunhou_LowerBound(int pVal, List<int> pList)
{
// 最後の要素がVal未満の特殊ケース
if (pVal > pList.Last()) {
return -1;
}
// 最初の要素がVal以上の特殊ケース
if (pVal <= pList[0]) {
return 0;
}
int L = 0;
int R = pList.Count - 1;
while (L + 1 < R) {
int Mid = (L + R) / 2;
if (pList[Mid] >= pVal) {
R = Mid;
}
else {
L = Mid;
}
}
return R;
}
// 二分法で、Val以下で最大の値を持つ、添字を返す (List版)
static int ExecNibunhou_LowerOrEqual_Max(long pVal, List<int> pList)
{
// 最後の要素がVal以下の特殊ケース
if (pVal >= pList.Last()) {
return pList.Count - 1;
}
// 最初の要素がVal超えの特殊ケース
if (pVal < pList[0]) {
return -1;
}
int L = 0;
int R = pList.Count - 1;
while (L + 1 < R) {
int Mid = (L + R) / 2;
if (pList[Mid] <= pVal) {
L = Mid;
}
else {
R = Mid;
}
}
return L;
}
}
解説
まず、値ごとにListを用意し、
存在する添字を昇順に保存します。
クエリの指定区間ごとに
二分法を使えば、植木算の要領で、件数が分かります。