likes
comments
collection
share

直连数据库提示 No suitable driver found for jdbc:postgresql的问题

作者站长头像
站长
· 阅读数 65

背景

我参考数据库手册,尝试在代码里使用直连的方式在数据库中创建数据库等,由于需要适配各个数据库服务所以我分别兼容了mysql、postgresql、oracal等。但是在使用过程中会出现错误:

No suitable driver found for jdbc:postgresql

代码大致逻辑如下:

Connection connection = null;
Statement statement = null;
try {
    connection = DriverManager.getConnection(url, loginUser, loginPwd);
    statement = connection.createStatement();
    //其他代码
} catch (Exception e){
    LOGGER.error("创建数据库信息异常", e);
    result = false;
} finally {
    close(connection, statement);
}

解决方式

在这个问题中,出现了"no suitable driver found for jdbc:postgresql"的错误。这是因为在尝试建立与PostgreSQL数据库的连接时,JDBC DriverManager没有找到合适的驱动程序。

在JDBC中,驱动程序的加载通常是通过类加载器自动完成的,当你引入了PostgreSQL的依赖后,该依赖应该包含了PostgreSQL的JDBC驱动。

经过排查发现DriverManager中的driver列表只有mysql的Driver。没有postgresql的Driver。但是理论上这个Driver的注册都是在类初始化的时候自动注册的。不知道为什么他没有注册到DriverManager里面。

我首先尝试的解决办法是创建一个我们需要的Driver。例如postgresql的:


Connection connection = null;
Statement statement = null;
try {
    Class clazz = Class.forName("org.postgresql.Driver");
    clazz.newInstance();
    connection = DriverManager.getConnection(url, loginUser, loginPwd);
    statement = connection.createStatement();
    //其他代码
} catch (Exception e){
    LOGGER.error("创建数据库信息异常", e);
    result = false;
} finally {
    close(connection, statement);
}

这样就会自动执行其中的静态代码块,实现注册Driver到DriverManager的目的。

原因

猜测是接手的项目中JDBC版本有点老的原因

在较新版本的 JDBC 规范中,通常不再需要显式调用Class.forName("org.postgresql.Driver")来加载驱动程序。有些老版本的JDBC驱动程序可能还依赖于Class.forName("org.postgresql.Driver")这种手动加载方式。

使用SpringJDBC

但其实后面发现如果直接使用Spring的JDBCTemplate似乎也不会报上面的问题,最后也是使用这种方式来解决的。

Spring JDBC通常会自动处理驱动程序的加载和注册,因此在使用Spring JDBC时,通常不需要显式调用Class.forName("org.postgresql.Driver")来手动加载驱动程序。Spring JDBC框架会在初始化时自动检测classpath中的JDBC驱动程序,并将其注册到DriverManager中。这样,在您使用Spring JDBC创建数据库连接时,Spring框架会自动选择合适的驱动程序,并建立连接,而无需开发者手动加载驱动程序。

转载自:https://juejin.cn/post/7349410786815901730
评论
请登录