将Dictionary <string,string =“”>转换为CSV文件。键为行1,值为列的行值</string,>

时间:2011-07-04 10:59:37

标签: c# csv

我有一个C#字典,我是通过读取多个数据源创建的。字典包含键值对,其中键的值集合是逗号分隔的字符串值。

例如:

Dictionary<string, string> d = new Dictionary<string, string>();
    d.Add("cat", "2,2");
    d.Add("dog", "10, A");
    d.Add("llama", "A,B");
    d.Add("iguana", "-2,-3");

我希望最终的csv文件看起来像这样:

cat, dog, llama, iguana

2,10,A,-2
2,A,B,-3

我如何实现这一目标?

3 个答案:

答案 0 :(得分:2)

如果您的数据结构是Dictionary,则会更容易,否则您需要提前拆分项目或在循环中多次执行。列表也可以工作。根据您从数据源获取数据的方式,应确定是否更容易对进入的数据执行String.Split()(例如,它已经是分隔的字符串),或者是否每个项目都是单独添加的

这段代码可以进行优化(例如,每次通过循环取消字典查找)并清理,但应该让你开始,如果你的数据集不是太大,应该没问题:

       static void Main(string[] args)
    {
        Dictionary<string, string[]> d = new Dictionary<string, string[]>();

        d.Add("cat", new string[] { "2", "2" });
        d.Add("dog", new string[] { "10", "A" });
        d.Add("llama", new string[] { "A", "B" });
        d.Add("iguana", new string[] { "-2", "-3" });

        // Not clear if you care about the order - this will insure that the names are in alphabetical order. 
        // The order of items in a dictionary are not guarenteed to be the same as the order they were added.
        var names = d.Keys.OrderBy(l => l).ToList();

        // Not clear if you know the number of items that will be in the list in advance - if not, find the max size 
        int maxSize = d.Values.Max(a => a != null ? a.Length : 0);

        Console.WriteLine(String.Join(", ", names));

        for (int i = 0; i < maxSize; i++)
        {
            foreach (string name in names)
            {
                string[] value = d[name];

                if ((value != null) && (i < value.Length))
                {
                    Console.Write(value[i]);
                }

                if (name != names.Last())
                {
                    Console.Write(",");
                }
            }

            Console.WriteLine();
        }
    }

将生成此输出:

cat, dog, iguana, llama
2,10,-2,A
2,A,-3,B

答案 1 :(得分:0)

foreach中使用的词典将返回KeyValuePair ...您可以在其中访问“Key”和“Value”。要提取“值”,您可以使用string.Split()。其余部分应该相对容易,具体取决于您的确切需要。

[编辑] 最后,您只需打开一个文本文件进行写入,然后以您希望的方式转储数据。

答案 2 :(得分:0)

Dictionary<string, List<string>> d = new Dictionary<string, List<string>>();    
    d.Add("cat", new List<string> {"2", "2"});    
    d.Add("dog", new List<string> {"10", "A"});    
    d.Add("llama", new List<string>{"A","B"});    
    d.Add("iguana", new List<string>{"-2","-3"});    

List<List<string>> values = d.Values.AsQueryable().ToList();    
int count = values[0].Count;    

for (int i = 0; i < count; i++)   
{  
    for (int j = 0; j < values.Count; j++)  
    {    
        Console.Write(values[j].ElementAt(i));  
    }    
}  

省略检查和格式化,但这可以满足您的需求。