5

最終編集:ini ファイルで重複フィールドを見つけることができました。助けてくれてありがとう!

正規表現を使用してiniファイルを解析し、LINQを使用して辞書に保存しています。

サンプル データ:
[WindowSettings]
Window X Pos='0'
Window Y Pos='0'
Window Maximized='false'
Window Name='Jabberwocky'

[Logging]
Directory='C:\Rosetta Stone\Logs'

編集: 実際に問題を引き起こしているファイルは次のとおりです: http://pastebin.com/mQSrkrcP

EDIT2:ファイルの最後のセクションが原因であることに絞り込みました:[list_first_nonprintable]

何らかの理由で、これで解析しているファイルの 1 つがこの例外をスローしています。

System.ArgumentException: 同じキーを持つアイテムが既に追加されています。

問題の原因となっているキーを特定する方法 (ファイルを修正できるようにする方法) や、原因となっているキーをスキップして解析を続行する方法はありますか?

コードは次のとおりです。

try
{
    // Read content of ini file.
    string data = System.IO.File.ReadAllText(project);

    // Create regular expression to parse ini file.
    string pattern = @"^((?:\[)(?<Section>[^\]]*)(?:\])(?:[\r\n]{0,}|\Z))((?!\[)(?<Key>[^=]*?)(?:=)(?<Value>[^\r\n]*)(?:[\r\n]{0,4}))*";
    //pattern = @"
    //^                           # Beginning of the line
    //((?:\[)                     # Section Start
    //     (?<Section>[^\]]*)     # Actual Section text into Section Group
    // (?:\])                     # Section End then EOL/EOB
    // (?:[\r\n]{0,}|\Z))         # Match but don't capture the CRLF or EOB
    // (                          # Begin capture groups (Key Value Pairs)
    //  (?!\[)                    # Stop capture groups if a [ is found; new section
    //  (?<Key>[^=]*?)            # Any text before the =, matched few as possible
    //  (?:=)                     # Get the = now
    //  (?<Value>[^\r\n]*)        # Get everything that is not an Line Changes
    //  (?:[\r\n]{0,4})           # MBDC \r\n
    //  )*                        # End Capture groups";

    // Parse each file into a Dictionary.
    Dictionary<string, Dictionary<string, string>> iniFile
                    = (from Match m in Regex.Matches(data, pattern, RegexOptions.IgnorePatternWhitespace | RegexOptions.Multiline)
                       select new
                       {
                           Section = m.Groups["Section"].Value,

                           kvps = (from cpKey in m.Groups["Key"].Captures.Cast<Capture>().Select((a, i) => new { a.Value, i })
                                   join cpValue in m.Groups["Value"].Captures.Cast<Capture>().Select((b, i) => new { b.Value, i }) on cpKey.i equals cpValue.i
                                   select new KeyValuePair<string, string>(cpKey.Value, cpValue.Value)).ToDictionary(kvp => kvp.Key, kvp => kvp.Value)

                       }).ToDictionary(itm => itm.Section, itm => itm.kvps);

    return iniFile;
}
catch (ArgumentException ex)
{
    System.Diagnostics.Debug.Write(ex.ToString());
    return new Dictionary<string, Dictionary<string, string>>();
}

前もって感謝します。

4

3 に答える 3

10

これは、辞書に変換するときに-

.ToDictionary(itm => itm.Section, itm => itm.kvps);

-- 複数のキーがあります (itm.Section)。代わりにToLookupを使用できます。これは一種の辞書に似ていますが、複数のキーを使用できます。

編集

ToLookupを呼び出す方法はいくつかあります。最も簡単な方法は、キー セレクターを指定することです。

var lookup = 
   // ...
.ToLookup(itm => itm.Section);

これにより、キーのタイプがGroupであるルックアップが提供されます。ルックアップ値を取得すると、IEnumerable が返されます。ここで、T は匿名型です。

Group g = null;
// TODO get group
var lookupvalues = lookup[g];

.NET コンパイラがこれを好まない場合 (さまざまな型がどうあるべきかを理解するのに問題があるように見える場合があります)、要素セレクターを指定することもできます。次に例を示します。

ILookup<string, KeyValuePair<string,string>> lookup = 
    // ...
.ToLookup(
    itm => itm.Section.Value,    // key selector
    itm => itm.kvps              // element selector
);
于 2012-05-16T20:08:46.890 に答える
4

重複キーで壊れない独自のToDictionaryメソッドを簡単に作成できます。

public static Dictionary<K,V> ToDictionary<TSource, K, V>(
    this IEnumerable<TSource> source, 
    Func<TSource, K> keySelector, 
    Funct<TSource, V> valueSelector)
{
  //TODO validate inputs for null arguments.

  Dictionary<K,V> output = new Dictionary<K,V>();
  foreach(TSource item in source)
  {
    //overwrites previous values
    output[keySelector(item)] = valueSelector(item); 

    //ignores future duplicates, comment above and 
    //uncomment below to change behavior
    //K key = keySelector(item);
    //if(!output.ContainsKey(key))
    //{
      //output.Add(key, valueSelector(item));
    //}
  }

  return output;
}

追加のオーバーロードを(セレクターの値なしで)実装する方法を理解できると思います。

于 2012-05-16T20:41:37.460 に答える