要使用 JDBC 连接数据库,您需要选择获取相应数据库的驱动程序并注册驱动程序。可以通过两种方式注册数据库驱动程序 :
使用 Class.forName() 方法?? 名为?Class?的类的?forName()?方法接受类名作为 String 参数并将其加载到内存中,很快它就会自动加载到内存中。
Class.forName("com.mysql.jdbc.Driver");
例
遵循JDBC程序与MySQL数据库建立连接。在这里,我们尝试使用?forName()?方法注册 MySQL 驱动程序。
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.SQLException;
public class RegisterDriverExample {
? ?public static void main(String args[]) throws SQLException {
? ? ? //Registering the Driver
? ? ? Class.forName("com.mysql.jdbc.Driver");
? ? ? //Getting the connection
? ? ? String mysqlUrl = "jdbc:mysql://localhost/mydatabase";
? ? ? Connection con = DriverManager.getConnection(mysqlUrl, "root", "password");
? ? ? System.out.println("Connection established: "+con);
? ?}
}
输出
Connection established: com.mysql.jdbc.JDBC4Connection@4fccd51b
使用 registerDriver() 方法???DriverManager?类的?registerDriver()?方法接受 diver 类的对象作为参数,并将其注册到 JDBC 驱动程序管理器。
Driver myDriver = new com.mysql.jdbc.Driver();
DriverManager.registerDriver(myDriver);
例
遵循JDBC程序与MySQL数据库建立连接。在这里,我们尝试使用?registerDriver() 方法注册?MySQL 驱动程序。
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.SQLException;
public class RegisterDriverExample {
? ?public static void main(String args[]) throws SQLException {
? ? ? //Registering the Driver
? ? ? DriverManager.registerDriver(new com.mysql.jdbc.Driver());
? ? ? //Getting the connection
? ? ? String mysqlUrl = "jdbc:mysql://localhost/mydatabase";
? ? ? Connection con = DriverManager.getConnection(mysqlUrl, "root", "password");
? ? ? System.out.println("Connection established: "+con);
? ?}
}
输出
Connection established: com.mysql.jdbc.JDBC4Connection@4fccd51b
|