我想编写一个函数,它可以使用任意键和值类型来复制字典,并将它们写入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文件,其中包含values成员的标题(在本例中是VerificationResult类的成员。
我决定将数组或值类型成员的枚举作为参数发送。问题是我不会知道保存我需要的数据数组的值类成员的名称是什么,或者(如果我决定以不同方式实现它)如何遍历未知值类成员并将它们打印到文件中。有没有办法在不使用eval函数的情况下做到这一点?我想要多少钱?我应该在每次需要时编写一个特定的函数并保留它吗?
答案 0 :(得分:0)
您可以使用委托来指定Keys和Values的字符串表示形式。在我的例子中,我为IDictionary创建了Extension Method方法。
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