查找字典中给定值的最接近值c#

时间:2015-02-22 23:50:58

标签: c# dictionary numbers key-value

我有一本字典,我想知道哪个'键'值最接近给定值,这是我的字典。

Dictionary<double, int> dictionary = new Dictionary<double, int>();

dictionary.Add(2.4, 5000);
dictionary.Add(6, 2000);
dictionary.Add(12, 1000);
dictionary.Add(24, 500);
dictionary.Add(60, 200);
dictionary.Add(120, 100);
dictionary.Add(240, 50);
dictionary.Add(600, 20);
dictionary.Add(1200, 10);
dictionary.Add(2400, 5);
dictionary.Add(6000, 2);
dictionary.Add(12000, 1);

givenValue = 1;

所以我想找出哪个键最接近1.我需要返回键值对,所以它应该返回[2.4,5000]。

1 个答案:

答案 0 :(得分:3)

好吧,您可能会问自己,字典是否是解决这些类型问题的正确结构,但假设这是给定的(解决其他问题),您可以执行以下操作:

var bestMatch = dictionary.OrderBy(e => Math.Abs(e.Key - givenValue)).FirstOrDefault();

如果你需要做很多这样的查询,这将是非常低效的。

以下效率更高:

Tuple<double, KeyValuePair<double, int>> bestMatch = null;
foreach (var e in dictionary)
{
    var dif = Math.Abs(e.Key - givenValue);
    if (bestMatch == null || dif < bestMatch.Item1)
        bestMatch = Tuple.Create(dif, e);
}