1

タイプの辞書があり、Dictionary<string, List<string>>それをタイプのリストに変換したいと思いList<Dictionary<string, string>>ます。例えば

入力:

  Key              List
{ id,   { "1",     "2",    "3"   }},
{ mkt,  { "in",    "uk",   "us"  }},
{ dept, { "sales", "test", "var" }},

出力:

{ 
  { (id, "1"), (mkt , "in"), (dept, "sales") },  //1st Node as Dictionary
  { (id, "1"), (mkt , "in"), (dept, "test")  },  //2nd Node
  { (id, "1"), (mkt , "in"), (dept, "var")   },
  .
  . //All possible combinations id, mkt and dept
  .
 }

forループを使用してそれを行うことはできますが、LINQなどのC#固有の機能を使用してよりクリーンな方法を探していました。

int a = 0;
int NoOfTimesToRepeatAnElement = 1, NoOfTimesToRepeatList = count;
int prevListSize = 1, currListSize = 1;
foreach (var arg in dictionary)
{
    a = 0;
    prevListSize = currListSize;
    currListSize = arg.Value.Count();

    NoOfTimesToRepeatAnElement = NoOfTimesToRepeatAnElement * prevListSize;
    NoOfTimesToRepeatList = NoOfTimesToRepeatList / currListSize;

    var list = arg.Value;

    for (int x = 0; x < NoOfTimesToRepeatList; x++)
    {
        for (int y = 0; y < currListSize; y++)
        {
            for (int z = 0; z < NoOfTimesToRepeatAnElement; z++)
            {
                finalList[a++].Add(arg.Key, list[y]);
            }
        }
    }
}

PS:私はCのバックグラウンドで、C#を初めて使用します

4

1 に答える 1

0
var list = dict.Select(kv => kv.Value.Select(v => new { kv.Key, Value = v }))
                .CartesianProduct()
                .Select(x => x.ToDictionary(y=>y.Key,y=>y.Value))
                .ToList();

public static partial class MyExtensions
{
    //http://blogs.msdn.com/b/ericlippert/archive/2010/06/28/computing-a-cartesian-product-with-linq.aspx
    public static IEnumerable<IEnumerable<T>> CartesianProduct<T>(this IEnumerable<IEnumerable<T>> sequences)
    {
        // base case: 
        IEnumerable<IEnumerable<T>> result = new[] { Enumerable.Empty<T>() };
        foreach (var sequence in sequences)
        {
            var s = sequence; // don't close over the loop variable 
            // recursive case: use SelectMany to build the new product out of the old one 
            result =
                from seq in result
                from item in s
                select seq.Concat(new[] { item });
        }
        return result;
    }
}
于 2012-12-29T08:49:02.953 に答える