3

有没有一种优雅的方式来转换这个字符串数组:

string[] a = new[] {"name", "Fred", "colour", "green", "sport", "tennis"};

进入字典,使得数组的每两个连续元素成为字典的一个 {key, value} 对(我的意思是 {"name" -> "Fred", "color" -> "green", "sport" -> “网球”})?

我可以通过循环轻松地做到这一点,但有没有更优雅的方式,也许使用 LINQ?

4

7 回答 7

5
var dict = a.Select((s, i) => new { s, i })
            .GroupBy(x => x.i / 2)
            .ToDictionary(g => g.First().s, g => g.Last().s);
于 2012-09-14T14:20:05.410 回答
4

因为它是一个数组,所以我会这样做:

var result = Enumerable.Range(0,a.Length/2)
                       .ToDictionary(x => a[2 * x], x => a[2 * x + 1]);
于 2012-09-14T14:24:44.673 回答
2

这个怎么样 ?

    var q = a.Zip(a.Skip(1), (Key, Value) => new { Key, Value })
             .Where((pair,index) => index % 2 == 0)
             .ToDictionary(pair => pair.Key, pair => pair.Value);
于 2012-09-14T14:33:34.860 回答
1

我做了一个类似的方法来处理这种类型的请求。但是由于您的数组同时包含键和值,我认为您需要先拆分它。

然后你可以使用这样的东西来组合它们

public static IDictionary<T, T2> ZipMyTwoListToDictionary<T, T2>(IEnumerable<T> listContainingKeys, IEnumerable<T2> listContainingValue)
    {
        return listContainingValue.Zip(listContainingKeys, (value, key) => new { value, key }).ToDictionary(i => i.key, i => i.value);
    }
于 2012-09-14T14:18:27.153 回答
0
a.Select((input, index) = >new {index})
  .Where(x=>x.index%2!=0)
  .ToDictionary(x => a[x.index], x => a[x.index+1])

我建议使用 for 循环,但我已按照您的要求回答了。这绝不是更整洁/更清洁的。

于 2012-09-14T14:17:02.053 回答
0
public static IEnumerable<T> EveryOther<T>(this IEnumerable<T> source)
{
    bool shouldReturn = true;
    foreach (T item in source)
    {
        if (shouldReturn)
            yield return item;
        shouldReturn = !shouldReturn;
    }
}

public static Dictionary<T, T> MakeDictionary<T>(IEnumerable<T> source)
{
    return source.EveryOther()
        .Zip(source.Skip(1).EveryOther(), (a, b) => new { Key = a, Value = b })
        .ToDictionary(pair => pair.Key, pair => pair.Value);
}

这是设置的方式,并且由于工作方式Zip,如果列表中有奇数个项目,则最后一个项目将被忽略,而不是生成某种异常。

注意:源自此答案。

于 2012-09-14T14:34:24.897 回答
0
IEnumerable<string> strArray = new string[] { "name", "Fred", "colour", "green", "sport", "tennis" };


            var even = strArray.ToList().Where((c, i) => (i % 2 == 0)).ToList();
            var odd = strArray.ToList().Where((c, i) => (i % 2 != 0)).ToList();

            Dictionary<string, string> dict = even.ToDictionary(x => x, x => odd[even.IndexOf(x)]);
于 2012-09-14T14:36:04.190 回答