我正在使用eeplus创建一个excel电子表格,就像这样
<link rel="stylesheet" href="https://use.fontawesome.com/releases/v5.8.1/css/all.css" >
<div class="icon1 icon"></div>
<div class="icon2 icon"></div>
<br>
<div class="icon3 icon"></div>
客户类具有类似
的属性using (var pck = new ExcelPackage())
{
var ws = pck.Workbook.Worksheets.Add("Customers");
ws.Cells["A1"].LoadFromCollection(customers, PrintHeaders: true);
var ms = new System.IO.MemoryStream();
pck.SaveAs(ms);
ms.WriteTo(Response.OutputStream);
}
[DisplayName("Customer creation date")]
public DateTime Created { get; set; }
似乎很荣幸,因此最上面一行会显示DisplayName
,但单元格内容会显示为Customer creation date
。
我真正想要的是格式为43257,41667
的单元格。
我可以这样做数据注释吗?我试过了两个
2018-04-05
和
[DisplayName("Customer creation date")]
[DisplayFormat(DataFormatString = "{0:yyyy-MM-dd}")]
public DateTime Created { get; set; }
但细胞内容保持不变。
答案 0 :(得分:1)
不,EPPlus不会根据数据注释格式化您的数据。 它将日期格式化为整数,因此您应该将要格式化的列指定为
ws.Column(colPosition+1).Style.Number.Format="yyyy-mm-dd";
您可以在此处找到详细信息: https://github.com/JanKallman/EPPlus/wiki/Formatting-and-styling
答案 1 :(得分:0)
EPPlus 在根据 DisplayName 属性更新到 excel 时总是更改列名,否则如果没有设置 DisplayName 属性,那么它将查找 "_"
(下划线)字符并将其替换为 " "
(空格) 列名中的字符,因此我们无法在列名的帮助下轻松找到 PropertyInfo 以根据需要格式化列。
这是基于对 PropertyInfo 进行索引来格式化列的简单快捷的解决方案
PropertyInfo[] props = typeof(T).GetType().GetProperties(BindingFlags.Public | BindingFlags.Instance);
for (int i = 0; i < props.Length; i++)
{
Type t = props[i].PropertyType;
if (t == typeof(DateTime) || t == typeof(DateTime?))
ws.Column(i + 1).Style.Numberformat.Format = "dd-MMM-yyyy HH:mm:ss";
else if (t == typeof(TimeSpan) || t == typeof(TimeSpan?))
ws.Column(i + 1).Style.Numberformat.Format = "HH:mm:ss";
}
如果您需要根据列名格式化列,我有另一种解决方案。
void ApplyDateTimeFormatting<T>(ExcelWorksheet ws, IEnumerable<T> data)
{
if (data.Count() == 0)
return;
Type type = data.First().GetType();
for (int c = 1; c <= toColumns; c++)
{
string column = ws.Cells[1, c].Text;
var t = type.GetPropertyWithDisplayName<T>(column).PropertyType;
if (t == typeof(DateTime) || t == typeof(DateTime?))
ws.Column(c).Style.Numberformat.Format = "dd-MMM-yyyy HH:mm:ss";
else if (t == typeof(TimeSpan) || t == typeof(TimeSpan?))
ws.Column(c).Style.Numberformat.Format = "HH:mm:ss";
}
}
PropertyInfo GetPropertyFromDisplayName(Type type, string DisplayName)
{
MemberInfo[] members = type.GetProperties(BindingFlags.Public | BindingFlags.Instance);
foreach (var member in members)
{
DisplayNameAttribute displayNameAttribute = member
.GetCustomAttributes(typeof(DisplayNameAttribute), inherit: false)
.FirstOrDefault() as DisplayNameAttribute;
string text = ((displayNameAttribute == null) ? member.Name.Replace('_', ' ') :
displayNameAttribute.DisplayName);
if (text == DisplayName)
return type.GetProperty(member.Name);
}
return null;
}