📜  JDBC-WHERE子句示例(1)

📅  最后修改于: 2023-12-03 15:16:39.090000             🧑  作者: Mango

JDBC-WHERE 子句示例

在使用 JDBC(Java 数据库连接)操作数据库时,使用 WHERE 子句可以筛选出符合条件的数据。WHERE 子句可以包含一个或多个条件,每个条件由一个运算符将字段名和值连接起来。

以下是一个示例代码,演示了如何在 Java 中使用 JDBC-WHERE 子句筛选出符合条件的数据。

代码示例
import java.sql.*;

public class JdbcWhereClauseExample {
    static final String JDBC_DRIVER = "com.mysql.jdbc.Driver";
    static final String DB_URL = "jdbc:mysql://localhost/EMP";
    static final String USER = "root";
    static final String PASS = "password";

    public static void main(String[] args) {
        Connection conn = null;
        Statement stmt = null;
        try{
            Class.forName("com.mysql.jdbc.Driver");

            System.out.println("连接数据库...");
            conn = DriverManager.getConnection(DB_URL,USER,PASS);

            System.out.println("实例化 Statement 对象...");
            stmt = conn.createStatement();
            String sql;
            sql = "SELECT id, name, age FROM Employees WHERE age >= 25";
            ResultSet rs = stmt.executeQuery(sql);

            while(rs.next()){
                int id  = rs.getInt("id");
                String name = rs.getString("name");
                int age = rs.getInt("age");

                System.out.print("ID: " + id);
                System.out.print(", 名字: " + name);
                System.out.print(", 年龄: " + age);
                System.out.print("\n");
            }
            rs.close();
            stmt.close();
            conn.close();
        } catch(SQLException se){
            se.printStackTrace();
        } catch(Exception e){
            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!");
    }
}
代码解释

上述代码中,我们通过 JDBC 连接到了一个名为 EMP 的数据库,并使用 Employees 表示例演示了如何使用 WHERE 子句筛选出年龄大于等于25岁的员工信息。

在这个示例中,我们首先创建了 Connection 对象,用于表示 JDBC 连接到的数据库。接着我们实例化了一个 Statement 对象,用于执行 SQL 查询语句。我们通过 SELECT 语句从 Employees 表中返回了满足条件的数据。

在循环中,我们从 ResultSet 对象中获取到查询结果并打印到控制台上。最后我们关闭了 ResultSet 和 Statement 对象,并关闭了 JDBC 连接。

总结

本示例演示了如何使用 JDBC-WHERE 子句获取符合条件的数据。在实际的开发中,WHERE 子句的使用还要考虑到多种条件组合和性能优化等问题。使用好 WHERE 子句,可以有效提高数据库的查询效率。