我有对象列表类型Person。这个类有很多属性,我需要它们都以逗号分隔的列表,所以我可以在以后用于Csv文件。
我使用foreach并添加了每个属性,用逗号手册等分隔它。
const string commaSeparator = ",";
foreach (var item in individualsInformation)
{
csv.AppendLine(item.ReferenceNumber + commaSeparator + item.FirstName + commaSeparator +
item.Surname + commaSeparator + item.MiddleName + commaSeparator +
item.Address1 + commaSeparator + item.Address2 + commaSeparator +
item.Address3 + commaSeparator + item.Address4 + commaSeparator +
item.City + commaSeparator + item.PostalCode + commaSeparator +
item.Country + commaSeparator + item.DateOfBirth.ToString() + commaSeparator +
item.ID + commaSeparator + item.Gender + commaSeparator +
item.Component + commaSeparator + item.NationalID + commaSeparator +
item.SubSystemID + commaSeparator + item.System);
}
然后我通过使用string.Join
意识到有很多有效的方法这当然不起作用:
string joined = string.Join(",", listOfPersons);
如果我选择这样的房产:
string joined = string.Join(",", listOfPersons(x => x.Id);
我当然只为该属性获取逗号分隔列表。
是否有一些更有效的方法可以用逗号分隔每个属性?
答案 0 :(得分:15)
如果可能,我会避免反思。
您可以轻松实现编译时安全性和可读代码:
{{1}}
您可以完全控制应该使用哪个属性以及使用顺序。
答案 1 :(得分:5)
反思是(有时)你的朋友:
var props = item.GetType().GetProperties(BindingFlags.Public | BindingFlags.Instance); // todo: cache & filter not-needed props)
var itemStr = string.Join(", ",
props.Select(p => p.GetValue(item, null)?.ToString())
.ToArray());
答案 2 :(得分:3)
覆盖{Person}的ToString
- 方法
public class Person
{
//properties...
public override string ToString()
{
return string.Join(",",
this.ReferenceNumber,
this.FirstName,
this.Surname,
this.MiddleName,
this.Address1,
this.Address2,
this.Address3,
this.Address4,
this.City,
this.PostalCode,
this.Country,
this.DateOfBirth.ToString(),
this.ID,
this.Gender,
this.Component,
this.NationalID,
this.SubSystemID,
this.System);
}
}
因此您可以使用Person.ToString()
进行csv生成。与反射方法不同,您可以轻松
BirthDate.ToString("d")
,Price.ToString("F2")
)System.Collections.Generic.List1[System.String]
HasChildren ? "Yes" : "No"
)答案 3 :(得分:0)
使用反射,其中T:class
var valueLines = reportData.Select(row => string.Join(“,”,header.Split(',')。选择(a => row.GetType()。GetProperty(a).GetValue( row,null))));
例如
private MemoryStream GenerateExcelStream(List<T> reportData)
{
var lines = new List<string>();
var header = "";
var attFilter = new NoDisplayInReportAttribute();
PropertyDescriptorCollection properties = TypeDescriptor.GetProperties(typeof(T));
foreach (PropertyDescriptor prop in properties)
if (!prop.Attributes.Matches(attFilter))
header += prop.Name + ",";
header = header.Substring(0, header.Length - 1);
lines.Add(header);
var valueLines =reportData.Select(row => string.Join(",", header.Split(',').Select(a => row.GetType().GetProperty(a).GetValue(row, null))));
lines.AddRange(valueLines);
MemoryStream memoryStream = new MemoryStream();
TextWriter tw = new StreamWriter(memoryStream);
lines.ForEach(x => tw.WriteLine(x));
tw.Flush();
return memoryStream;
}