1

我想编写一个函数来接收具有任意键和值类型的字典,并将它们写入 csv 文件。例如,如果我有以下课程:

public class VerificationResult
{
    public enum resInfo
    {
        sessionID,
        testFilePath,
        testFileName,
        ID1,
        ID2,
        score1,
        score2,
        isGood,
        isTrue
    };

    public string[] resData = 
        new string[Enum.GetNames(typeof (resInfo)).Length];

    public VerificationResult(int sessionID,
                              string testFilePath,
                              string Id1,
                              string Id2,
                              string score1,
                              string score2,
                              string isGood)
    {
        resData[(int) resInfo.sessionID] = sessionID.ToString();
        resData[(int) resInfo.testFilePath] = testFilePath;
        resData[(int) resInfo.testFileName] =
            Path.GetFileNameWithoutExtension(testFilePath);
        resData[(int) resInfo.ID1] = Id1;
        resData[(int) resInfo.ID2] = Id2;
        resData[(int) resInfo.score1] = Score1;
        resData[(int) resInfo.score2] = Score2;
        resData[(int) resInfo.isGood] = isGood;
        resData[(int) resInfo.isTrue] = (Id1 == IsGood).ToString();
    }
};

和定义为的字典:

private Dictionary<int,VerificationResult> verificationResults

我想创建一个通用函数,该函数能够将此字典打印到 csv 文件,其中包含值成员的标题(在本例中为 VerificationResult 类的成员。

我决定将数组或值类型成员的枚举作为参数发送。问题是我不需要知道保存我需要的数据数组的值类成员的名称是什么,或者(如果我决定以不同的方式实现它)如何遍历未知的值类成员并将它们打印到文件中。有没有办法在不使用类似 eval 的函数的情况下做到这一点?我努力了吗?我是否应该在每次需要时只编写一个特定的函数并保持这样的状态?

4

1 回答 1

0

您可以使用委托来指定键和值的字符串表示应该是什么样子。在我的示例中,我将该方法创建为 IDictionary的扩展方法。

public static class DictionaryExtension {
    public static void WriteToCsv<K, V>(
        this IDictionary<K, V> dictionary,
        string path,
        Func<K, string> keyToString,
        Func<V, string> valueToString,
        string separator) {

        StringBuilder content = new StringBuilder();
        foreach (KeyValuePair<K, V> keyValuePair in dictionary)
            content.AppendLine(string.Join(separator, new List<string> {
                keyToString(keyValuePair.Key),
                valueToString(keyValuePair.Value)
            }));

        File.WriteAllText(path, content.ToString());
    }
}

现在假设您有一个具有任意内部结构的复杂类型,例如VerificationResult

public class ComplexType {
    public int Number { get; set; }
    public string Name { get; set; }
}

和以下字典:

Dictionary<long, ComplexType> test = new Dictionary<long, ComplexType>();
test.Add(1, new ComplexType { Number = 1, Name = "one"});
test.Add(2, new ComplexType { Number = 1, Name = "two" });
test.Add(3, new ComplexType { Number = 1, Name = "three" });
test.Add(4, new ComplexType { Number = 1, Name = "four" });

一个简单的

test.WriteToCsv(@"C:\temp\dictionarytest.txt",
    key => key.ToString(),
    value => value.Name,
    ";");

写字典就够了:

1;one
2;two
3;three
4;four
于 2013-01-03T12:23:39.140 回答