我有一个Excel工作表,其中包含4列数据,我想用作DataGridView的源.有人可以提供(1)从特定工作表获取数据并使用它填充自定义对象的C#代码片段? (2)将对象(如IEnumerable列表)绑定到Datagridview,以及(3)用于网格所固有的更新和删除功能的一些片段,并反馈给源工作表.
我知道我在这里要求很多,但是很多VSTO信息似乎是分开的,并不总是很容易找到.谢谢!
解决方法
为什么需要VSTO?据我所知,VSTO用于Office加载项.但是,由于您希望在DataGridView中显示数据,我假设您有一个WinForms应用程序应该只是访问一个工作簿.在这种情况下,您可以使用Office Interop简单地打开工作簿.只需将Microsoft.Office.Interop.Excel的引用添加到您的项目中,并使用Microsoft.Office.Interop.Excel添加;声明.
Excel Interop的MSDN参考文档可以在这里找到:http://msdn.microsoft.com/en-us/library/ms262200%28v=office.14%29.aspx
我会给你的Excel部分,也许别人可以做其余的.
首先,打开Excel和工作簿:
Application app = new Application(); // Optional,but recommended if the user shouldn't see Excel. app.Visible = false; app.ScreenUpdating = false; // AddToMru parameter is optional,but recommended in automation scenarios. Workbook workbook = app.Workbooks.Open(filepath,AddToMru: false);
然后以某种方式获取正确的工作表.你有几个可能性:
// Active sheet (should be the one which was active the last time the workbook was saved). Worksheet sheet = workbook.ActiveSheet; // First sheet (notice that the first is actually 1 and not 0). Worksheet sheet = workbook.Worksheets[1]; // Specific sheet. // Caution: Default sheet names differ for different localized versions of Excel. Worksheet sheet = workbook.Worksheets["Sheet1"];
然后得到正确的范围.您没有指定如何知道所需数据的位置,所以我认为它是固定的列.
// If you also know the row count. Range range = sheet.Range["A1","D20"]; // If you want to get all rows until the last one that has some data. Range lastUsedCell = sheet.Cells.SpecialCells(XlCellType.xlCellTypeLastCell); string columnName = "D" + lastUsedCell.Row; Range range = sheet.Range["A1",columnName];
获取值:
// Possible types of the return value: // If a single cell is in the range: Different types depending on the cell content // (string,DateTime,double,...) // If multiple cells are in the range: Two dimensional array that exactly represents // the range from Excel and also has different types in its elements depending on the // value of the Excel cell (should always be that one in your case) object[,] values = range.Value;
然后可以将该二维对象数组用作DataGridView的数据源.我没有使用WinForms多年,所以我不知道你是否可以直接绑定,或者首先需要获取数据到一些特定的格式.
最后再次关闭Excel:
workbook.Close(SaveChanges: false); workbook = null; app.Quit(); app = null; // Yes,we really want to call those two methods twice to make sure all // COM objects AND all RCWs are collected. GC.Collect(); GC.WaitForPendingFinalizers(); GC.Collect(); GC.WaitForPendingFinalizers();
使用Interop后正确关闭Excel是一项任务,因为您必须确保所有对COM对象的引用已经被释放.我找到的最简单的方法是进行所有的工作,除了打开和关闭Excel和工作簿(所以我的第一个和最后一个代码块)在一个单独的方法.这样可以确保在调用Quit时,该方法中使用的所有COM对象都超出了范围.