Linq-to-SQL ToDictionary()
var dictionary = db
.Table
.Select(p => new { p.Key, p.Value })
.AsEnumerable()
.ToDictionary(kvp => kvp.Key, kvp => kvp.Value)
;
You are only defining the key, but you need to include the value also:
var dic = (from p in db.Table
select new {p.Key, p.Value })
.ToDictionary(p => p.Key, p=> p.Value);
Thanks guys, your answers helped me fix this, should be:
var dic = db
.Table
.Select(p => new { p.Key, p.Value })
.AsEnumerable()
.ToDictionary(k=> k.Key, v => v.Value);
Why would you create an anonymous object for every item in the table just to convert it?
You could simply use something like:
IDictionary<string, string> dic = db.Table.ToDictionary(row => row.Key, row => row.Value);
You may need to include an AsEnumerable() call between Table and ToDictionary().
I don't know the exact type of db.Table.
Also correct the first sample, your second loop variable is mismatching at declaration and usage.