Linq-to-SQL ToDictionary()

时间:2008-10-28 22:50:07

标签: c# linq linq-to-sql

如何使用Linq将SQL(2008)中的两列正确转换为字典(用于缓存)?

我目前循环使用IQueryable b / c我无法使用ToDictionary方法。有任何想法吗? 这有效:

var query = from p in db.Table
            select p;

Dictionary<string, string> dic = new Dictionary<string, string>();

foreach (var p in query)
{
    dic.Add(sub.Key, sub.Value);
}

我真正想做的是这样的事情,似乎不起作用:

var dic = (from p in db.Table
             select new {p.Key, p.Value })
            .ToDictionary<string, string>(p => p.Key);

但是我收到了这个错误: 无法从'System.Linq.IQueryable'转换为'System.Collections.Generic.IEnumerable'

4 个答案:

答案 0 :(得分:116)

var dictionary = db
    .Table
    .Select(p => new { p.Key, p.Value })
    .AsEnumerable()
    .ToDictionary(kvp => kvp.Key, kvp => kvp.Value)
;

答案 1 :(得分:14)

您只是定义了密钥,但您还需要包含该值:

var dic = (from p in db.Table
             select new {p.Key, p.Value })
            .ToDictionary(p => p.Key, p=> p.Value);

答案 2 :(得分:9)

谢谢大家,你的答案帮助我解决了这个问题,应该是:

var dic = db
        .Table
        .Select(p => new { p.Key, p.Value })
        .AsEnumerable()
        .ToDictionary(k=> k.Key, v => v.Value);

答案 3 :(得分:1)

为什么要为表格中的每个项目创建一个匿名对象来转换它?

您可以简单地使用以下内容: IDictionary<string, string> dic = db.Table.ToDictionary(row => row.Key, row => row.Value); 您可能需要在Table和ToDictionary()之间包含一个AsEnumerable()调用。 我不知道db.Table的确切类型。


同样纠正第一个样本,你的第二个循环变量在声明和使用时不匹配。