web-dev-qa-db-ja.com

Linqクエリ結果を辞書に変換する

Linq to SQLを使用してデータベースにいくつかの行を追加したいのですが、行を追加する前に「カスタムチェック」を実行して、途中の行を追加、置換または無視する必要があるかどうかを確認します。クライアントとDBサーバー間のトラフィックをできるだけ少なくし、クエリ数を最小限に抑えたいと思います。

これを行うには、検証に必要な最小限の情報を取得し、プロセスの開始時に1回だけ取得します。

私はこのようなことをすることを考えていました、しかし、明らかに、それはうまくいきません。誰か考えがありますか?

Dictionary<int, DateTime> existingItems = 
    (from ObjType ot in TableObj
        select (new KeyValuePair<int, DateTime>(ot.Key, ot.TimeStamp))
    )

TableObjectからObjectTypeオブジェクト全体をダウンロードしなくても、最後に必要なのはDictionaryです。

次のコードも検討しましたが、適切な方法を見つけようとしていました。

List<int> keys = (from ObjType ot in TableObj orderby ot.Key select ot.Key).ToList<int>();
List<DateTime> values = (from ObjType ot in TableObj orderby ot.Key select ot.Value).ToList<int>();
Dictionary<int, DateTime> existingItems = new Dictionary<int, DateTime>(keys.Count);
for (int i = 0; i < keys.Count; i++)
{
    existingItems.Add(keys[i], values[i]);
}
307
Tipx

以下のように ToDictionaryメソッド を使ってみてください。

var dict = TableObj.ToDictionary( t => t.Key, t => t.TimeStamp );
570
tvanfosson

あなたの例を見て、私はこれがあなたが望むものだと思います:

var dict = TableObj.ToDictionary(t => t.Key, t=> t.TimeStamp);
116
BFree

以下を試してください

Dictionary<int, DateTime> existingItems = 
    (from ObjType ot in TableObj).ToDictionary(x => x.Key);

あるいは本格的な型推論版

var existingItems = TableObj.ToDictionary(x => x.Key);
7
JaredPar

名前空間を使う

using System.Collections.Specialized;

DataContextクラスのインスタンスを作る

LinqToSqlDataContext dc = new LinqToSqlDataContext();

つかいます

OrderedDictionary dict = dc.TableName.ToDictionary(d => d.key, d => d.value);

値を取得するには名前空間を使います

   using System.Collections;

ICollection keyCollections = dict.Keys;
ICOllection valueCollections = dict.Values;

String[] myKeys = new String[dict.Count];
String[] myValues = new String[dict.Count];

keyCollections.CopyTo(myKeys,0);
valueCollections.CopyTo(myValues,0);

for(int i=0; i<dict.Count; i++)
{
Console.WriteLine("Key: " + myKeys[i] + "Value: " + myValues[i]);
}
Console.ReadKey();
0
Salman Mushtaq