Excel文件导出的操作我们经常用到,但是讲一个Excel文档导入并显示到界面还是第一次用到。
下面简单介绍下在C#下如何进行Excel文件的导入操作。
首先添加两个引用
using System.IO;
using System.Data.OleDb;
添加控件openFileDialog
然后我们需要配置Excel的OleDb连接字符串
<span style="font-size:14px;">public const string OledbConnString = "Provider = Microsoft.Jet.OLEDB.4.0 ; Data Source = {0};Extended Properties='Excel 8.0;HDR=Yes;IMEX=1;'"; //Excel的 OleDb 连接字符串</span>
选择一个Excel文件
/// <summary> /// 选择EXCEL /// </summary> private void btn_BrowserExcel_Click(object sender, EventArgs e) { DialogResult dr = this.openFileDialog1.ShowDialog(); if (DialogResult.OK == dr) //判断是否选择文件 { this.txtPath.Text = this.openFileDialog1.FileName; this.btn_Import.Enabled = true; } }
执行导入的操作且绑定数据源
/// <summary> /// 执行导入操作 /// </summary> private void btn_Import_Click(object sender, EventArgs e) { string path = this.txtPath.Text.Trim(); if (string.IsNullOrEmpty(path)) { MessageBox.Show("请选择要导入的EXCEL文件。", "信息"); return; } if (!File.Exists(path)) //判断文件是否存在 { MessageBox.Show("信息", "找不到对应的Excel文件,请重新选择。"); this.btn_BrowserExcel.Focus(); return; } DataTable excelTbl = this.GetExcelTable(path); //调用函数获取Excel中的信息 if (excelTbl == null) { return; } DgvImport.DataSource = excelTbl; }
最核心的功能在这里:
/// <summary> /// 获取Excel文件中的信息,保存到一个DataTable中 /// </summary> /// <param name="path">文件路径</param> /// <returns>返回生成的DataTable</returns> private DataTable GetExcelTable(string path) { try { //获取excel数据 DataTable dt1 = new DataTable("excelTable"); string strConn = string.Format(OledbConnString, path); OleDbConnection conn = new OleDbConnection(strConn); conn.Open(); DataTable dt = conn.GetSchema("Tables"); //判断excel的sheet页数量,查询第1页 if (dt.Rows.Count > 0) { string selSqlStr = string.Format("select * from [{0}]", dt.Rows[0]["TABLE_NAME"]); OleDbDataAdapter oleDa = new OleDbDataAdapter(selSqlStr, conn); oleDa.Fill(dt1); } conn.Close(); return dt1; } catch (Exception ex) { MessageBox.Show("Excel转换DataTable出错:" + ex.Message); return null; } }
效果图:
看到这里大家肯定会有种似曾相识的感觉,最上面配置连接字符串,这里的GetExcelTable方法,打开连接,查询语句,执行命令,填充table,关闭连接。不就是从数据库查询数据过程的翻版吗?
果然知识都是相通的。
时间: 2024-10-05 06:44:00