我想知道在 Excel 中读取单元格的最快方法是什么。我有一个包含 50000 行的 Excel 文件,我想知道如何快速阅读它。我只需要阅读第一列,使用 oledb 连接需要 15 秒。有更快的方法吗?
谢谢
这是一种依赖于使用 Microsoft.Office.Interop.Excel 的方法。
请注意:我使用的 Excel 文件只有一列包含 50,000 个条目的数据。
1)用Excel打开文件,保存为csv,然后关闭Excel。
2)使用StreamReader快速读取数据。
3)拆分回车换行的数据并将其添加到字符串列表中。
4)删除我创建的csv文件。
我使用 System.Diagnostics.StopWatch 来计时执行,该函数运行需要 1.5568 秒。
public static List<string> ExcelReader( string fileLocation )
{
Microsoft.Office.Interop.Excel.Application excel = new Application();
Microsoft.Office.Interop.Excel.Workbook workBook =
excel.Workbooks.Open(fileLocation);
workBook.SaveAs(
fileLocation + ".csv",
Microsoft.Office.Interop.Excel.XlFileFormat.xlCSVWindows
);
workBook.Close(true);
excel.Quit();
List<string> valueList = null;
using (StreamReader sr = new StreamReader(fileLocation + ".csv")) {
string content = sr.ReadToEnd();
valueList = new List<string>(
content.Split(
new string[] {"\r\n"},
StringSplitOptions.RemoveEmptyEntries
)
);
}
new FileInfo(fileLocation + ".csv").Delete();
return valueList;
}
资源:
http://www.codeproject.com/Articles/5123/Opening-and-Navigating-Excel-with-C
您能否使用 OLEDb 提供程序将您的代码用于读取 50000 条记录。我试过这样做,读取 3 列的 50000 条记录需要 4-5 秒。我已经按照以下方式完成了,请看一下,它可能会对您有所帮助。:)
// txtPath.Text is the path to the excel file
string conString = @"Provider=Microsoft.ACE.OLEDB.12.0;" + "Data Source=" + txtPath.Text + ";" + "Extended Properties=" + "\"" + "Excel 12.0;HDR=YES;" + "\"";
OleDbConnection oleCon = new OleDbConnection(conString);
OleDbCommand oleCmd = new OleDbCommand("SELECT field1, field2, field3 FROM [Sheet1$]", oleCon);
DataTable dt = new DataTable();
oleCon.Open();
dt.Load(oleCmd.ExecuteReader());
oleCon.Close();
如果您可以将代码放在这里,以便我可以尝试纠正。:)
OLEDB 总是需要更多时间。
SQL Server 2005/2008 将使它更快。
对于 OLEDB 连接,每秒需要 7 条记录,而
对于 SQLServer ,每秒需要 70 条记录。
读取逗号分隔文件不需要太多时间,但插入数据需要时间。
我确实经历过这件事。
我面临同样的事情,我在办公室开发中心读到:
处理 Excel 文件有两种选择:
两者之间没有太大区别,但在您的性能是一个问题的情况下,您应该使用 Open XML SDK,它可能会更快一些,并且在处理之前不需要太多时间打开大文件。正如您在上面的链接中所读到的,我引用了:
不支持用于自动化目的的 Office。Office 应用程序并非设计为在没有人工监督的情况下运行,并且具有令人讨厌的“挂起”倾向
此链接提供了学习开放 xml sdk 的良好开端:http: //msdn.microsoft.com/en-us/library/office/gg575571.aspx
您只想从文件中读取数字列表?它必须在Excel中吗?一些非技术人员正在更新列表吗?如果您想从单个列中读取 50,000 个数字到内存中的列表中,只需将单元格复制到文本文件并使用 TextReader 读取。这将是即时的。
List<string> ReadFile(string path)
{
TextReader tr = new StreamReader(path);
string line;
List<string> lines = new List<string>();
while((line=tr.ReadLine())!=null)
{
//if this was a CSV, you could string.split(',') here
lines.add(line);
}
return lines;
}