PG 安装使用 及 JDBC连接数据库示例
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.SQLException;
import java.sql.Statement;
public class PostgreSQLJDBCExample {
// JDBC 驱动名称和数据库 URL
static final String JDBC_DRIVER = "org.postgresql.Driver";
static final String DB_URL = "jdbc:postgresql://localhost/your_database";
// 数据库的用户名与密码
static final String USER = "your_username";
static final String PASS = "your_password";
public static void main(String[] args) {
Connection conn = null;
Statement stmt = null;
try{
// 注册 JDBC 驱动
Class.forName(JDBC_DRIVER);
// 打开连接
conn = DriverManager.getConnection(DB_URL,USER,PASS);
// 执行查询
stmt = conn.createStatement();
String sql;
sql = "SELECT id, name FROM your_table";
ResultSet rs = stmt.executeQuery(sql);
// 展开结果集数据库
while(rs.next()){
// 通过字段检索
int id = rs.getInt("id");
String name = rs.getString("name");
// 输出数据
System.out.print("ID: " + id);
System.out.print(", Name: " + name);
System.out.print("\n");
}
}catch(SQLException se){
// 处理 JDBC 错误
se.printStackTrace();
}catch(Exception e){
// 处理 Class.forName 错误
e.printStackTrace();
}finally{
// 关闭资源
try{
if(stmt!=null) stmt.close();
}catch(SQLException se2){
}// 我们尽力关闭资源
try{
if(conn!=null) conn.close();
}catch(SQLException se){
se.printStackTrace();
}
}
System.out.println("Goodbye!");
}
}
在这个示例中,我们首先导入了必要的Java SQL包。在main方法中,我们尝试注册JDBC驱动,建立连接,并执行一个简单的查询。我们使用try-catch-finally语句来处理异常,确保资源被适当地关闭。这个例子展示了如何使用JDBC连接和操作PostgreSQL数据库的基本步骤。
评论已关闭