Java JDBC中的客户端任务异常太多

时间:2013-07-25 11:18:26

标签: java sql jdbc jdbc-odbc

我正在通过JAVA程序创建JDBC ODBC连接。我必须多次使用这种连接。一段时间后,程序抛出太多客户端任务异常。怎么能解决这个问题。我正在粘贴我的要求的示例示例

class connectiondemo
{

public void connect()
{

 try {

   Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
   Connection con=DriverManager.getConnection("Jdbc:Odbc:dsn");
   Statement st= con.createStatement();

   }

  catch(Exception ex)
  {
   ex.printStackTrace();
  }
 }
}


calling programs

 class 
 {
  public static void main(String args[])

   {
    //supose i have to call connect methods thousands of times then what is the solution

    connectdemo demo= new connectdemo();
   dem0.connect();

   }
  }

4 个答案:

答案 0 :(得分:0)

您似乎打开了太多的数据库连接而没有关闭它们。在执行该连接上的jdbc语句时,您需要确保在完成后关闭连接。但是,如果您忘记了,Java的垃圾收集器将在清除过时的对象时关闭连接。

依赖于垃圾收集,特别是在数据库编程中,编程实践非常糟糕。您应该养成始终使用与连接对象关联的close()方法关闭连接的习惯。

也许添加一个finally块可以帮到你,比如这样:

Connection con = null;
 try {

   Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
   con=DriverManager.getConnection("Jdbc:Odbc:dsn:);
   Statement st= con.createStatement();

   }

  catch(Exception ex)
  {
   ex.printStackTrace();
  } finally {
      try{
          con.close();
      } catch (Exception e) {
      }
  }
 }

答案 1 :(得分:0)

您实际需要多少个连接?选项包括:

  • 全局存储并多次使用的单个连接(仅连接一次)。
  • 包含池启动时连接的多个连接的连接池。这允许多个线程(几乎)同时访问数据库。

我怀疑第一个选项可能适合您的应用程序。在这种情况下,连接一次并共享连接,否则您的DBA可能有话要说:

public static Connection getConnection() {
    if(connection == null) {
        //make and store connection globally
    }
    return connection;
}

public static void closeConnection() {
     if(connection != null) {
          //close connection
     }
}

public void clientMethod() {
    <SomeClass>.getConnection().prepareStatement("whatever");
}

进行数据库连接是一项代价高昂的工作,会对应用程序的性能产生显着影响,尽可能少地执行此操作。

答案 2 :(得分:0)

关键是保存连接。为什么不使用静态方法来调用连接,如下所示:

public class Connector {

private static final String URL = "jdbc:mysql://localhost/";
private static final String LOGIN = "root";
private static final String PASSWORD = "azerty";
private static final String DBNAME = "videotheque";
private static Connector connector;
private static Connection connection;

private Connector() {
}

public synchronized static Connector getInstance() {
    if (connector == null) {
        connector = new Connector();
    }
    return connector;
}

public static Connection getConnection() {
    if (connection == null) {
        Connection c = null;
        try {
            Class.forName("com.mysql.jdbc.Driver");
        } catch (ClassNotFoundException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        }
        try {
            c = DriverManager.getConnection(URL + DBNAME, LOGIN, PASSWORD);
        } catch (SQLException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        }

        return c;
    }
    return connection;
}

连接时,您可以将其用作:

Connector.getInstance().getConnection()

答案 3 :(得分:0)

由于许多原因,这是一个看起来很糟糕的代码。考虑到你的编程水平,我建议你不要自己写这个。最好获取并使用由其他人编写的连接池,例如Apache DBCP库。