将2个字典项聚合成一个对象

时间:2015-09-03 12:18:26

标签: c# .net dictionary aggregate

我有一本包含评估答案的字典,如下所示:

{
    {"question1", "7"},
    {"question1_comment", "pretty difficult"},
    {"question2", "9"},
    {"question2_comment", ""},
    {"question3", "5"},
    {"question3_comment", "Never on time"},
}

但是我需要将得分项和评论项合并到一个对象中,如下所示

{
    {"question1", "7", "pretty difficult"},
    {"question2", "9", ""},
    {"question3", "5", "Never on time"},
}

我认为我需要使用Aggregate方法将其关闭,但我不知道从哪里开始。

4 个答案:

答案 0 :(得分:5)

你可以这样做:

var res = data
    .Keys
    .Where(s => !s.EndsWith("_comment"))
    .Select(s => new[] {s, data[s], data[s+"_comment"]})
    .ToList();

ides首先过滤掉所有未在"_comment"中结束的键,然后使用这些键在结果数组中查找两段内容。

Demo.

答案 1 :(得分:0)

未经测试,但也许是一个好主意:

Regex r = new Regex("^question\\d$");
var result = myDict.Where(x => r.IsMatch(x.Key)).Select(x => new {
        Question = x.Key,
        Score = x.Value,
        Comment = myDict[x.Key + "_comment"]
});

这种方法与DasBlinkenLight相反。您选择适合正则表达式^question\d$的所有条目(表示所有以数字结尾的条目)。对于这些条目,您可以创建一个匿名类型的新实例,其中通过搜索字典中的相应项来检索注释。

编辑:或者为避免使用正则表达式,您可以先使用

进行过滤
myDict.Where(x => !x.Key.EndsWith("_comment"))

答案 2 :(得分:0)

检查以下答案

        Dictionary<string, string> objstr = new Dictionary<string, string>();
        objstr.Add("question1", "7");
        objstr.Add("question1_comment", "pretty difficult");
        objstr.Add("question2", "9");
        objstr.Add("question2_comment", "");
        objstr.Add("question3", "5");
        objstr.Add("question3_comment", "Never on time");

        var Mainobj = objstr.Where(x => x.Key.Contains("_"));
        var obj = objstr.Where(x => x.Key.Contains("_") == false);
        var final = from objl in obj
                    join Mainobjl in Mainobj
                    on objl.Key equals Mainobjl.Key.Replace("_comment", "") into matching
                    select new
                    {
                        question = objl.Key,
                        rank = objl.Value,
                        comment = matching.FirstOrDefault().Value
                    };
        var obj11 = final.ToList();

答案 3 :(得分:0)

你应该创建一些结构来保存这些问题的值,即:

public struct Question 
{
    public string QuestionId { get; set; }
    public string Answer { get; set; }
    public string Comment { get; set; }
}

并构建List<Question >

var list = dict
    .Where(x => !x.Key.Contains("comment"))
    .Select(x => 
    new Question() 
    {
        QuestionId =x.Key, 
        Answer = x.Value, 
        Comment = dict.Single(y => 
            y.Key == String.Concat(x.Key,"_comment")).Value})
    .ToList();

demo - 比表格列表的解决方案快一点