c#Microsoft.Office.Interop.Excel导出

时间:2012-07-20 08:40:27

标签: c# performance excel

我正在编写一个程序,我正在使用C#语言,DataSet等。我有大约200 000个值,我想导出到.xlsx文档。

我的代码:

using Excel = Microsoft.Office.Interop.Excel;
...
Excel.Application excelApp = new Excel.Application();
Excel.Workbook excelworkbook = excelApp.Workbooks.Open(/location/);
Excel._Worksheet excelworkSheet = (Excel.Worksheet)excelApp.ActiveSheet;
...
excelApp.visible = true;
...
for (int i = 0; i < /value/; i++)
 for (int j = 0; j < /value/; j++) 
  excelworkSheet.Cells[i, j] = /value/;

效果很好,但速度太慢(至少5-10分钟)。

你有什么建议吗?

2 个答案:

答案 0 :(得分:1)

对于Excel,我只编写了VBA,因此我无法在C#中为您提供有关如何执行此操作的确切语法。

我注意到的是,你正在做的事我注意到很多人都想要: 分别在Excel中为每个单元格编写代码。 与在内存中执行的操作相比,读/写操作相当慢。

将数据数组传递给一个函数会更有趣,该函数将所有这些数据一步写入定义的范围。在这样做之前,您当然需要正确设置范围的尺寸(等于数组的大小)。

但是,这样做时,应该提高性能。

答案 1 :(得分:1)

我刚刚接受了同样的性能打击,将其写入基准测试:

[Test]
public void WriteSpeedTest()
{
    var excelApp = new Application();
    var workbook = excelApp.Workbooks.Add();
    var sheet = (Worksheet)workbook.Worksheets[1];
    int n = 1000;
    var stopwatch = Stopwatch.StartNew();
    SeparateWrites(sheet, n);
    Console.WriteLine("SeparateWrites(sheet, " + n + "); took: " + stopwatch.ElapsedMilliseconds + " ms");

    stopwatch.Restart();
    BatchWrite(sheet, n);
    Console.WriteLine("BatchWrite(sheet, " + n + "); took: " + stopwatch.ElapsedMilliseconds + " ms");

    workbook.SaveAs(Path.Combine(@"C:\TEMP", "Test"));
    workbook.Close(false);
    Marshal.FinalReleaseComObject(excelApp);
}

private static void BatchWrite(Worksheet sheet, int n)
{
    string[,] strings = new string[n, 1];
    var array = Enumerable.Range(1, n).ToArray();
    for (var index = 0; index < array.Length; index++)
    {
        strings[index, 0] = array[index].ToString();
    }

    sheet.Range["B1", "B" + n].set_Value(null, strings);
}

private static void SeparateWrites(Worksheet sheet, int n)
{
    for (int i = 1; i <= n; i++)
    {
        sheet.Cells[i, 1].Value = i.ToString();
    }
}

<强>结果:

                            n = 100   n = 1 000   n = 10 000    
SeparateWrites(sheet, n);   180 ms    1125 ms     10972 ms
BatchWrite(sheet, n);       3 ms      4 ms        14 ms