如何将多维数组转换为字典?

Pik*_*620 6 c# arrays dictionary todictionary

我有一个 n×3 数组,我希望转换为 a Dictionary<string,string[]>,其中第一列是键,列的其余部分作为值的数组。

例如:

Key = arr[0,0], Value = new string[2] {arr[0,1], arr[0,2]}.
Run Code Online (Sandbox Code Playgroud)

我知道ToDictionary但我不知道如何设置值部分。

arr.ToDictionary(x=>arr[x,0],x=>new string[2]{arr[x,1],arr[x,2]});
//This doesn't work!!!
Run Code Online (Sandbox Code Playgroud)

我该如何正确设置?

ros*_*dia 6

多维数组是一个连续的内存块,因此您必须将它们视为单个数组。尝试这个:

var dict = arr.Cast<string>() 
  .Select((s, i) => new { s, i })
  .GroupBy(s => s.i / arr.GetLength(1))
  .ToDictionary(
    g => g.First().s,
    g => g.Skip(1).Select(i => i.s).ToArray()
  );
Run Code Online (Sandbox Code Playgroud)

附说明:

// First, cast it to an IEnumerable<string>
var dict = arr.Cast<string>() 

  // Use the Select overload that lets us get the index of the element,
  // And we capture the element's index (i), along with the element itself (s)
  // and put them together into an anonymous type [1]
  .Select((s, i) => new { s, i })

  // .GetLength(dimension) is a method on multidimensional arrays to 
  // get the length of a given dimension (pretty self-explanatory)
  // In this case, we want the second dimension, or how wide each 
  // row is: [x,y] <- we want y
  // Divide the element index (s.i) by that length to get the row index 
  // for that element
  .GroupBy(s => s.i / arr.GetLength(1))

  // Now we have an Grouping<int, IEnumerable<anonymous{string,int}>>
  .ToDictionary(

    // We don't care about the key, since it's the row index, what we want
    // is the string value (the `s` property) from first element in the row
    g => g.First().s,

    // For the value, we want to skip the first element, and extract
    // the string values (the `s` property), and then convert to an array
    g => g.Skip(1).Select(i => i.s).ToArray()
  );
Run Code Online (Sandbox Code Playgroud)

[1]:有关匿名类型的文档,请参见此处


Min*_*neR 5

有时不使用 linq 更容易阅读并且速度更快:

 var dict = new Dictionary<string, string[]>();
 for (int i = 0; i < arr.GetLength(0); i++)
      dict[arr[i, 0]] = new string[] { arr[i, 1], arr[i, 2] };
Run Code Online (Sandbox Code Playgroud)

但是当你觉得你真的需要使用 linq 时:

 Enumerable.Range(0, arr.GetLength(0))
     .ToDictionary(i => arr[i, 0], i => new string[] {arr[i, 1], arr[i, 2]});
Run Code Online (Sandbox Code Playgroud)