数据库的连接是可配置的,所以可以创建可配置文件,当需要修改连接配置时,只需要修改配置文件内容即可。
操作步骤:
首先,在src目录下创建File文件,命名为 XXX.properties,内容为
driver=com.mysql.jdbc.Driver
url=jdbc:mysql://localhost:3306/testmysql
username=root
password=123456
注意:每一行的开头、等号两边、每一行的末尾都不含有空格
创建连接类
import java.io.FileReader;
import java.io.IOException;
import java.io.Reader;
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.SQLException;
import java.util.Properties;
public class DBUtil {
private static String driver;
private static String url;
private static String username;
private static String password;
//读取配置文件中的内容
static{
Properties properties = new Properties();
Reader in;
try {
in = new FileReader("src\\config.properties");
//load方法 从.properties属性文件对应的文件输入流中,加载属性列表到Properties类对象
properties.load(in);
} catch (IOException e) {
e.printStackTrace();
}
//将配置文件中的参数提取出来
driver = properties.getProperty("driver");
url = properties.getProperty("url");
username = properties.getProperty("username");
password = properties.getProperty("password");
}
public static Connection open(){
try {
Class.forName(driver);
return DriverManager.getConnection(url, username, password);
} catch (ClassNotFoundException e) {
e.printStackTrace();
} catch (SQLException e) {
e.printStackTrace();
}
return null;
}
public static void close(Connection conn){
if(conn != null){
try {
conn.close();
} catch (SQLException e) {
e.printStackTrace();
}
}
}
}