标签:.net framework c# command datareader connectio
上一篇涉及到Command对象的ExecuteReader()方法返回一个DataReader对象,那么我们就来详细的介绍这个DataReade对象。
下面的例子使用的数据表依然与上篇的相同为CustomerManagement数据库中的manager数据表:
DataReader对象概述
DataReader对象提供了顺序的,只读的方式读取Command对象获得的数据结果集。正是因为DataReader是以顺序的方式连续地读取数据,所以DataReader会以独占的方式打开数据库连接。
由于DataReader只执行读操作,并且每次只在内存缓冲区里存储结果集的一条数据,所以使用Datareader对象的效率比较高,如果要查询大量数据,同事不需要随机访问和修改数据,DataReader是优先的选择。DataReader对象有许多的属性和方法:
判断查询结果中是否有数据
想要判断查询结果中是否有数据只需要判断DataReader对象的HasRows属性即可。
例一,使用上述的方法判断CustomerManagement数据库中的manager数据表是否有数据的完整代码为:
<span style="font-size:18px;">using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Data.SqlClient;//引入命名空间 namespace ConsoleApplication1 { class Program { static void Main(string[] args) { string conStr = "server=.;user=sa;pwd=123456;database=CustomerManagement";//连接字符串 SqlConnection conText = new SqlConnection(conStr);//创建Connection对象 try { conText.Open();//打开数据库 string sql = "select * from manager";//创建统计语句 SqlCommand comText = new SqlCommand(sql, conText);//创建Command对象 SqlDataReader dr;//创建DataReader对象 dr=comText.ExecuteReader();//执行查询 if (dr.HasRows)//判断数据表中是否含有数据 { Console.WriteLine("manager数据表中含有数据"); } else { Console.WriteLine("manager数据表中没有数据"); } } catch (Exception ex)//创建检查Exception对象 { Console.WriteLine(ex.Message.ToString());//输出错误信息 } finally { conText.Close();//关闭连接 } Console.ReadLine(); } } }</span>
运行结果为:
读取数据
要想读取DataReader对象中的数据,就要用到DataReader对象的Read方法,由于DataReader对象每次只在内存缓冲区里存储结果集中的一条数据,所以要读取DataReader对象中的多条数据,就要用到迭代语句。
例二,通过DataReader对象的Read方法读取CustomerManagement数据库中的manager数据表中的数据的完整代码为:
<span style="font-size:18px;">using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Data.SqlClient;//引入命名空间 namespace ConsoleApplication1 { class Program { static void Main(string[] args) { string conStr = "server=.;user=sa;pwd=123456;database=CustomerManagement";//连接字符串 SqlConnection conText = new SqlConnection(conStr);//创建Connection对象 try { conText.Open();//打开数据库 string sql = "select * from manager";//创建统计语句 SqlCommand comText = new SqlCommand(sql, conText);//创建Command对象 SqlDataReader dr;//创建DataReader对象 dr=comText.ExecuteReader();//执行查询 while(dr.Read())//判断数据表中是否含有数据 { Console.Write(dr[0].ToString()+",");//输出用户标识 Console.Write(dr["userName"].ToString()+",");//输出用户名 Console.WriteLine(dr[2].ToString());//输出用户密码 } dr.Close();//关闭DataReader对象 } catch (Exception ex)//创建检查Exception对象 { Console.WriteLine(ex.Message.ToString());//输出错误信息 } finally { conText.Close();//关闭连接 } Console.ReadLine(); } } } </span>
运行的结果为:
与CustomerManagement数据库中的manage数据表中的数据比较得出读取的结果保持一致。
标签:.net framework c# command datareader connectio
原文地址:http://blog.csdn.net/erlian1992/article/details/45935065