我正在使用 jqgrid(标准)和EF 4 + MVC3 。我想实现excel导出。你建议我使用哪种方法?
要生成excel,我希望使用Stephen Walther博士的this library,它有三种类型的输出,并允许定义标题。如果您发现它对我的目的有效,请告诉我。
我问这个问题因为我还在接近实现excel导出,我发现了几种技术。有人建议进行csv导出,其他人表示它应该返回JSON输出,我不清楚这个功能是否存在于jqgrid的免费版本中。无论如何,我想将数据传递给Walther的对象。
关于jqgrid代码,我找到了Oleg的this interesting answer,但我不明白是否可以应用于我的需求。
不幸的是,到目前为止我只发现了使用EF MVC进行excel导出的部分解决方案,但没有解决方案或完整的示例......
关于MVC逻辑,我将按照@Tommy的建议实施和开发this code。
如果问题可能很愚蠢,请抱歉,我只是一个(爱好者)初学者。
感谢您的宝贵帮助! 最诚挚的问候
答案 0 :(得分:11)
正如我之前所写(例如,请参阅here和here),将网格数据导出到XML的最佳方法是使用Open XML SDK 2.0。
Stephen Walther博士的post展示了如何创建可由Excel读取的 HTML文件。它不是Excel文件,必须仍然转换为Excel格式。 CSV的使用有更多问题。依赖于源表中的内容,自动转换为Excel数据类型绝对是错误的。在我为客户开发的一个项目中,网格包含有关软件产品的信息:产品名称,版本等。软件版本有时会作为日期(例如1.3.1963),并且此类单元格将被错误转换(在德语中使用'。'作为日期中的分隔符)。结果一个人真的遇到了困难。使用带有逗号的文本的CSV也经常被错误导入。即使引用带逗号(,
)的单元格并转义带有配额的文本,导入仍然是错误的,尤其是在第一列中。我不想在这里解释所有尝试和错误的完整历史,但毕竟我决定放弃使用CSV和HTML并开始使用Open XML SDK 2.0,它允许创建真实的Excel文件,扩展名为XLSX。这种方式似乎很完美,因为一个人不需要任何办公室
安装在服务器上的组件,没有其他许可证。
唯一的限制是应该能够使用DocumentFormat.OpenXml.dll
,因此您的服务器程序应该在任何Windows操作系统上运行。众所周知,XLSX文件是ZIP文件,里面包含一些XML文件。如果您仍然不知道我建议您将XLSX文件重命名为ZIP文件并将其解压缩。 Open XML SDK 2.0是与XML文件一样使用XLSX文件的库。因此,不需要额外的Office组件。
可以找到有关如何使用Open XML SDK 2.0的大量信息(请参阅here,here和here)。一个可直接在MSDN上找到的许多有用的代码示例(请参阅here)。然而,Open XML SDK 2.0的实际使用至少在第一时间并不那么容易。所以我从我自己使用的代码部分创建了一个演示。
您可以从here 下载演示项目。该演示是the answer和this one演示的扩展。
要导出数据,我使用DataForExcel
助手类。它具有
DataForExcel(string[] headers, DataType[] colunmTypes, List<string[]> data,
string sheetName)
或以简化形式
DataForExcel(string[] headers, List<string[]> data, string sheetName)
和唯一的公共方法
CreateXlsxAndFillData(Stream stream)
使用该类创建Excel文件可以如下所示
var excelData = new DataForExcel (
// column Header
new[]{"Col1", "Col2", "Col3"},
new[]{DataForExcel.DataType.String, DataForExcel.DataType.Integer,
DataForExcel.DataType.String},
new List<string[]> {
new[] {"a", "1", "c1"},
new[] {"a", "2", "c2"}
},
"Test Grid");
Stream stream = new FileStream ("Test.xlsx", FileMode.Create);
excelData.CreateXlsxAndFillData (stream);
stream.Close();
ASP.NET MVC演示中的用法如下:
static readonly string[] HeadersQuestions = {
"Id", "Votes", "Title"
};
static readonly DataForExcel.DataType[] ColunmTypesQuestions = {
DataForExcel.DataType.Integer,
DataForExcel.DataType.Integer,
DataForExcel.DataType.String
};
public ActionResult ExportAllQuestionsToExcel () {
var context = new HaackOverflowEntities ();
var questions = context.Questions;
questions.MergeOption = MergeOption.NoTracking; // we don't want to update the data
// to be able to use ToString() below which is NOT exist in the LINQ to Entity
// we should include in query only the properies which we will use below
var query = questions.ToList ();
if (query.Count == 0)
return new EmptyResult ();
var data = new List<string[]> (query.Count);
data.AddRange (query.Select (item => new[] {
item.Id.ToString(CultureInfo.InvariantCulture),
item.Votes.ToString(CultureInfo.InvariantCulture),
item.Title
}));
return new ExcelResult (HeadersQuestions, ColunmTypesQuestions, data,
"Questions.xlsx", "Questions");
}
其中ExcelResult
定义为
public class ExcelResult : ActionResult {
private readonly DataForExcel _data;
private readonly string _fileName;
public ExcelResult (string[] headers, List<string[]> data, string fileName, string sheetName) {
_data = new DataForExcel (headers, data, sheetName);
_fileName = fileName;
}
public ExcelResult (string[] headers, DataForExcel.DataType[] colunmTypes, List<string[]> data, string fileName, string sheetName) {
_data = new DataForExcel (headers, colunmTypes, data, sheetName);
_fileName = fileName;
}
public override void ExecuteResult (ControllerContext context) {
var response = context.HttpContext.Response;
response.ClearContent();
response.ClearHeaders();
response.Cache.SetMaxAge (new TimeSpan (0));
using (var stream = new MemoryStream()) {
_data.CreateXlsxAndFillData (stream);
//Return it to the client - strFile has been updated, so return it.
response.AddHeader ("content-disposition", "attachment; filename=" + _fileName);
// see http://filext.com/faq/office_mime_types.php
response.ContentType = "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet";
response.ContentEncoding = Encoding.UTF8;
stream.WriteTo (response.OutputStream);
}
response.Flush();
response.Close();
}
}
要使代码完整,我必须包含类DataForExcel
的代码:
public class DataForExcel {
public enum DataType {
String,
Integer
}
private readonly string[] _headers;
private readonly DataType[] _colunmTypes;
private readonly List<string[]> _data;
private readonly string _sheetName = "Grid1";
private readonly SortedSet<string> _os = new SortedSet<string> ();
private string[] _sharedStrings;
private static string ConvertIntToColumnHeader(int index) {
var sb = new StringBuilder ();
while (index > 0) {
if (index <= 'Z' - 'A') // index=0 -> 'A', 25 -> 'Z'
break;
sb.Append (ConvertIntToColumnHeader (index / ('Z' - 'A' + 1) - 1));
index = index % ('Z' - 'A' + 1);
}
sb.Append ((char)('A' + index));
return sb.ToString ();
}
private static Row CreateRow(UInt32 index, IList<string> data) {
var r = new Row { RowIndex = index };
for (var i = 0; i < data.Count; i++)
r.Append (new OpenXmlElement[] { CreateTextCell (ConvertIntToColumnHeader (i), index, data[i]) });
return r;
}
private Row CreateRowWithSharedStrings(UInt32 index, IList<string> data) {
var r = new Row { RowIndex = index };
for (var i = 0; i < data.Count; i++)
r.Append (new OpenXmlElement[] { CreateSharedTextCell (ConvertIntToColumnHeader (i), index, data[i]) });
return r;
}
private Row CreateRowWithSharedStrings(UInt32 index, IList<string> data, IList<DataType> colunmTypes) {
var r = new Row { RowIndex = index };
for (var i = 0; i < data.Count; i++)
if (colunmTypes != null && i < colunmTypes.Count && colunmTypes[i] == DataType.Integer)
r.Append (new OpenXmlElement[] { CreateNumberCell (ConvertIntToColumnHeader (i), index, data[i]) });
else
r.Append (new OpenXmlElement[] { CreateSharedTextCell (ConvertIntToColumnHeader (i), index, data[i]) });
return r;
}
private static Cell CreateTextCell(string header, UInt32 index, string text) {
// create Cell with InlineString as a child, which has Text as a child
return new Cell (new InlineString (new Text { Text = text })) {
// Cell properties
DataType = CellValues.InlineString,
CellReference = header + index
};
}
private Cell CreateSharedTextCell(string header, UInt32 index, string text) {
for (var i=0; i<_sharedStrings.Length; i++) {
if (String.Compare (_sharedStrings[i], text, StringComparison.Ordinal) == 0) {
return new Cell (new CellValue { Text = i.ToString (CultureInfo.InvariantCulture) }) {
// Cell properties
DataType = CellValues.SharedString,
CellReference = header + index
};
}
}
// create Cell with InlineString as a child, which has Text as a child
throw new InstanceNotFoundException();
}
private static Cell CreateNumberCell(string header, UInt32 index, string numberAsString) {
// create Cell with CellValue as a child, which has Text as a child
return new Cell (new CellValue { Text = numberAsString }) {
// Cell properties
CellReference = header + index
};
}
private void FillSharedStringTable(IEnumerable<string> data) {
foreach (var item in data)
_os.Add (item);
}
private void FillSharedStringTable(IList<string> data, IList<DataType> colunmTypes) {
for (var i = 0; i < data.Count; i++)
if (colunmTypes == null || i >= colunmTypes.Count || colunmTypes[i] == DataType.String)
_os.Add (data[i]);
}
public DataForExcel(string[] headers, List<string[]> data, string sheetName) {
_headers = headers;
_data = data;
_sheetName = sheetName;
}
public DataForExcel(string[] headers, DataType[] colunmTypes, List<string[]> data, string sheetName) {
_headers = headers;
_colunmTypes = colunmTypes;
_data = data;
_sheetName = sheetName;
}
private void FillSpreadsheetDocument(SpreadsheetDocument spreadsheetDocument) {
// create and fill SheetData
var sheetData = new SheetData ();
// first row is the header
sheetData.AppendChild (CreateRow (1, _headers));
//const UInt32 iAutoFilter = 2;
// skip next row (number 2) for the AutoFilter
//var i = iAutoFilter + 1;
UInt32 i = 2;
// first of all collect all different strings in OrderedSet<string> _os
foreach (var dataRow in _data)
if (_colunmTypes != null)
FillSharedStringTable (dataRow, _colunmTypes);
else
FillSharedStringTable (dataRow);
_sharedStrings = _os.ToArray ();
foreach (var dataRow in _data)
sheetData.AppendChild (_colunmTypes != null
? CreateRowWithSharedStrings (i++, dataRow, _colunmTypes)
: CreateRowWithSharedStrings (i++, dataRow));
var sst = new SharedStringTable ();
foreach (var text in _os)
sst.AppendChild (new SharedStringItem (new Text (text)));
// add empty workbook and worksheet to the SpreadsheetDocument
var workbookPart = spreadsheetDocument.AddWorkbookPart ();
var worksheetPart = workbookPart.AddNewPart<WorksheetPart> ();
var shareStringPart = workbookPart.AddNewPart<SharedStringTablePart> ();
shareStringPart.SharedStringTable = sst;
shareStringPart.SharedStringTable.Save ();
// add sheet data to Worksheet
worksheetPart.Worksheet = new Worksheet (sheetData);
worksheetPart.Worksheet.Save ();
// fill workbook with the Worksheet
spreadsheetDocument.WorkbookPart.Workbook = new Workbook (
new FileVersion { ApplicationName = "Microsoft Office Excel" },
new Sheets (
new Sheet {
Name = _sheetName,
SheetId = (UInt32Value)1U,
// generate the id for sheet
Id = workbookPart.GetIdOfPart (worksheetPart)
}
)
);
spreadsheetDocument.WorkbookPart.Workbook.Save ();
spreadsheetDocument.Close ();
}
public void CreateXlsxAndFillData(Stream stream) {
// Create workbook document
using (var spreadsheetDocument = SpreadsheetDocument.Create (stream, SpreadsheetDocumentType.Workbook)) {
FillSpreadsheetDocument (spreadsheetDocument);
}
}
}
以上代码直接创建新的XLSX文件。您可以扩展代码以支持我在代码中使用的String
和Integer
更多数据类型。
在更专业的应用程序版本中,您可以创建一些XLSX模板以导出不同的表。在代码中,您可以将数据放在单元格中,因此请修改电子表格而不是创建。在这种方式中,您可以创建完美格式化的XLSX文件。 MSDN中的示例(请参阅here)将帮助您实现需要的方式。
更新:The answer包含更新的代码,允许生成带有更多单元格格式的Excel。
答案 1 :(得分:1)
我看着斯蒂芬的帖子,它已经过时了,这不是错的。
如果您不需要自定义格式,标题和样式,那么我认为使用CSV非常简单。
更重要的是,不要认为从内部使用EF进行数据访问的MVC站点的excel导出比使用ActiveRecord的Ruby on Rails站点更难。对我来说,这是独立的问题,出口不应该是关于底层技术的任何新东西(至少不是直接的),只是数据的结构,这就是全部。
搜索允许进行Excel读/写和导出的codeplex库,现在有很多这样的库,许多非常好的解决方案经常被全球数千名开发人员维护和测试。如果我是你,我不会使用斯蒂芬解决方案,因为看起来他偶尔会在记事本中键入它然后粘贴到帖子 - 没有单元测试,没有可扩展性点+它在VB中所以它更难理解,但可能是这就是我。
希望这有帮助,祝你好运