欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

jdbc操作数据库的基本流程详解

程序员文章站 2024-02-24 13:15:22
所有的jdbc应用程序都具有下面的基本流程:  1、加载数据库驱动并建立到数据库的连接。  2、执行sql语句。  3、处理结果。  4、从数据库断开连接释放资源。下面我们...
所有的jdbc应用程序都具有下面的基本流程:
  1、加载数据库驱动并建立到数据库的连接。
  2、执行sql语句。
  3、处理结果。
  4、从数据库断开连接释放资源。

下面我们就来仔细看一看每一个步骤:
其实按照上面所说每个阶段都可得单独拿出来写成一个独立的类方法文件。共别的应用来调用。

1、加载数据库驱动并建立到数据库的连接:
复制代码 代码如下:

  string drivername="com.mysql.jdbc.driver";
  string connectiionstring="jdbc:mysql://10.5.110.239:3306/test?"+"user=root&password=chen&characterencoding=utf-8";
  connection connection=null;
  try {
   class.forname(drivername);//这里是所谓的数据库驱动的加载
   connection=(connection) drivermanager.getconnection(connectiionstring);//这里就是建立数据库连接
   system.out.println("数据库连接成功");
  } catch (classnotfoundexception e) {
   // todo auto-generated catch block
   e.printstacktrace();
  }
  return connection;

2、执行sql语句:
在执行sql语句的时候,这里常见的有两种类型的语句对象:
statement:它提供了直接在数据库中执行sql语句的方法。对于那些只执行一次的查询、删除或者一种固定的sql语句来说已经足够了。
复制代码 代码如下:

statement statement=(statement) dutil.getconnection().createstatement();

   string sql="delete from diary where title="+"'"+title+"'";

   int count=statement.executeupdate(sql);

   system.out.println("删除成功");

preparedstatement:这种语句对象用于那些需要执行多次,每次仅仅是数据取值不同的sql语句,它还提供了一些方法,以便指出语句所使用的输入参数。
复制代码 代码如下:

string sql="insert into diary(title,content,authorname,time) values(?,?,?,now())";
  try {
   preparedstatement preparedstatement=(preparedstatement) dutil.getconnection().preparestatement(sql);
   string title=diary.gettitle();
   string content=diary.getcontent();
   string authorname=diary.getauthorname();
   preparedstatement.setstring(1, title);
   preparedstatement.setstring(2, content);
   preparedstatement.setstring(3, authorname);

3、处理结果:
复制代码 代码如下:

resultset resultset=statement.executequery(sql);
   while (resultset.next()) {
    diary diary=new diary();
    diary.setauthorname(resultset.getstring("authorname"));
    diary.setcontent(resultset.getstring("content"));
    diary.settitle(resultset.getstring("title"));
    diary.setid(resultset.getint("id"));
    date time=resultset.getdate("time");

此处,应该知道的是:statement执行sql语句的方法:insert、update、delete语句是使用了statement的executeupdate方法执行的,返回结果是插入、更新、删除的个数。而select语句执行较为特别是使用了statement的executequery方法执行的。返回的结果存放在resultset结果集中,我们可以调用next()方法来移到结果集中的下一条记录。结果集由行和列组成,各列数据可以通过相应数据库类型的一系列get方法(如getstring,getint,getdate等等)来取得。

4、从数据库断开连接释放资源:
在结果集、语句和连接对象用完以后,我们必须正确地关闭它们。连接对象、结果集对象以及所有的语句对象都有close()方法,通过调用这个方法,我们可以确保正确释放与特定数据库系统相关的所有资源。
复制代码 代码如下:

public static void closeconnection(resultset resultset,preparedstatement preparedstatement, connection connection) throws sqlexception {

  if (resultset!=null) resultset.close();
  if (preparedstatement!=null) preparedstatement.close();
  if(connection!=null&&connection.isclosed()==false) connection.close();
  system.out.println("数据库关闭");

 }