我编写了下面的程序来编辑excel文件(.xls)的单元格值,程序运行时没有错误或异常,但是该值没有更新。
 using System;
 using System.Collections.Generic;
 using System.Linq;
 using System.Text;
 using System.Threading.Tasks;
 using System.IO;
 using System.Web;
 using NPOI.XSSF.UserModel;
 using NPOI.XSSF.Model;
 using NPOI.HSSF.UserModel;
 using NPOI.HSSF.Model;
 using NPOI.SS.UserModel;
 using NPOI.SS.Util;
 namespace Project37
 {
    class Class1
    {
        public static void Main()
        {
            string pathSource = @"C:\Users\mvmurthy\Desktop\abcd.xls";
            FileStream fs = new FileStream(pathSource, FileMode.Open, FileAccess.ReadWrite); 
            HSSFWorkbook templateWorkbook = new HSSFWorkbook(fs, true);
            HSSFSheet sheet = (HSSFSheet)templateWorkbook.GetSheet("Contents");
            HSSFRow dataRow = (HSSFRow)sheet.GetRow(4);
            dataRow.Cells[2].SetCellValue("foo");
            MemoryStream ms = new MemoryStream();
            templateWorkbook.Write(ms);
            ms.Close();
        }     
    }
}发布于 2016-08-19 08:46:50
您必须使用FileStream而不是MemoryStream来保存您修改过的文件,否则您实际上不会将您所做的更改保存到磁盘上。
还请注意,最好将FileStream这样的一次性对象包围到using语句中,以确保该对象在超出作用域时会自动释放。
因此,您的代码看起来可能如下:
string pathSource = @"C:\Users\mvmurthy\Desktop\abcd.xls";
HSSFWorkbook templateWorkbook;
HSSFSheet sheet;
HSSFRow dataRow;
using (var fs = new FileStream(pathSource, FileMode.Open, FileAccess.ReadWrite))
{
    templateWorkbook = new HSSFWorkbook(fs, true);
    sheet = (HSSFSheet)templateWorkbook.GetSheet("Contents");
    dataRow = (HSSFRow)sheet.GetRow(4);
    dataRow.Cells[0].SetCellValue("foo");
}
using (var fs = new FileStream(pathSource, FileMode.Open, FileAccess.ReadWrite))
{
    templateWorkbook.Write(fs);
}https://stackoverflow.com/questions/39034401
复制相似问题