如何根据索引比较两个列表



我有两个长度相同的列表。如果一个列表有4个元素,那么另一个列表也有4个元件。List<string> multipleJMBGsList<BundleSchedule> schedules

我需要创建一个检查方法,它将检查以下内容:

  • 首先检查List<string>中是否有重复,如果有,然后从该查询中获取索引,并在这些索引中检查计划是否具有相同的Idif schedules[x].Id == chedules[y].Id

  • 可以有多个相同的对,例如:

"1111", "1111" (indexes [23],[41])
"12345", "12345" (indexes [3],[11])
"16872982342716", "16872982342716" (indexes [29],[33])

这是3对,所以我们需要groupBy,并提取它们的索引(这些数字只是为了举例(:

private bool CheckIfSameUsersHaveSameServices(List<string> multipleJMBGs, List<BundleSchedule> schedules)
{
var duplicateJMBGs = multipleJMBGs.GroupBy(x => x)
.Where(group => group.Count() > 1)
.Select(group => new { jmbg = group.Key }).ToList();


Dictionary<string, string> indexes = new Dictionary<string, string>();
//fill in dictionary with indexes
//23,41
//3,11
//29,33
foreach (var pair in indexes)
{
var firstToCompare = schedules.ElementAt(Convert.ToInt32(pair.Key));
var secondToCompare = schedules.ElementAt(Convert.ToInt32(pair.Value));
//if only one compared pair has same serviceId, return true
if (firstToCompare.ServiceTypeComplexityId == secondToCompare.ServiceTypeComplexityId)
{
return true;
}
}
}

我的问题是,如何在GroupBy的Select中查询列表中的那些索引?

怎么样:

Dictionary<string, int> jmbgIds = new Dictionary<string, int>(StringComparer.Ordinal);
for (int index = 0; index < multipleJMBGs.Count; index++)
{
string jmbg = multipleJMBGs[index];
int id = schedules[index].ServiceTypeComplexityId;
if (jmbgIds.TryGetValue(jmbg, out var previousId))
{
if (previousId != id)
{
return false;
}
}
else
{
jmbgIds.Add(jmbg, id);
}
}
return true;

您可以获取每个可枚举对象的索引和值,并执行Join。Fiddle:https://dotnetfiddle.net/0oDJMM

public static void Main()
{
List<string> foo = new List<string>() {
"1", "12", "123", "1234", "12345"
};
List<string> bar = new List<string>() {
"123", "a", "b", "1", "12"
};
var foos = foo.Select((f, i) => new { idx = i, val = f });
var bars = bar.Select((b, i) => new { idx = i, val = b });
var indexes = foos.Join(bars, 
f => f.val, 
b => b.val, 
(f, b) => new { idxA = f.idx, idxB = b.idx });

foreach (var idxs in indexes) {
Console.WriteLine("idxA: {0} idxB: {1}", idxs.idxA, idxs.idxB); // You can now access the indexes for the matching values
}
}

最新更新