Java ResultSet isLast() 方法及示例
当我们执行某些 SQL 查询(通常是 SELECT 查询)时,它们会返回表格数据。
该java.sql.ResultSet 接口表示 SQL 语句返回的此类表格数据,即ResultSet对象保存由执行语句的方法返回的表格数据,这些语句需要数据库(通常是 Statement 接口的 executeQuery() 方法)。
ResultSet 对象有一个游标/指针,指向当前行。最初,此游标位于第一行之前。
Java ResultSet isLast() 方法
该isLast()方法的ResultSet 接口用于确定游标是否位于 ResultSet 的最后一行。
语法
以下是 isLast() 方法的语法
rs.isLast();
返回值
此方法返回一个布尔值,如果游标位于 ResultSet 的最后一行,则此值为 true,否则返回 false。
在 Java 中使用 isLast() 方法和 ResultSet
让我们使用如下所示的 CREATE 语句在MySQL 数据库中创建一个名为MyPlayers的表:
CREATE TABLE MyPlayers( ID INT, First_Name VARCHAR(255), Last_Name VARCHAR(255), Date_Of_Birth date, Place_Of_Birth VARCHAR(255), Country VARCHAR(255), PRIMARY KEY (ID) );
现在,我们将使用 INSERT 语句在 MyPlayers 表中插入 7 条记录:
insert into MyPlayers values(1, 'Shikhar', 'Dhawan', DATE('1981-12-05'), 'Delhi', 'India'); insert into MyPlayers values(2, 'Jonathan', 'Trott', DATE('1981-04-22'), 'CapeTown', 'SouthAfrica'); insert into MyPlayers values(3, 'Kumara', 'Sangakkara', DATE('1977-10-27'), 'Matale', 'Srilanka'); insert into MyPlayers values(4, 'Virat', 'Kohli', DATE('1988-11-05'), 'Delhi', 'India'); insert into MyPlayers values(5, 'Rohit', 'Sharma', DATE('1987-04-30'), 'Nagpur', 'India'); insert into MyPlayers values(6, 'Ravindra', 'Jadeja', DATE('1988-12-06'), 'Nagpur', 'India'); insert into MyPlayers values(7, 'James', 'Anderson', DATE('1982-06-30'), 'Burnley', 'England');
建立数据库连接的 JDBC 程序
下面的 JDBC 程序建立与数据库的连接,将表 MyPlayers 的内容检索到 ResultSet 对象中,并确定游标是否位于 ResultSet 的最后一行。
import java.sql.Connection; import java.sql.DriverManager; import java.sql.ResultSet; import java.sql.SQLException; import java.sql.Statement; public class ResultSet_isLast { 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://127.0.0.1/mydatabase"; Connection con = DriverManager.getConnection(mysqlUrl, "root", "password"); System.out.println("Connection established......"); //Creating the Statement Statement stmt = con.createStatement(); //Query to retrieve records String query = "Select * from MyPlayers"; //Executing the query ResultSet rs = stmt.executeQuery(query); //Verifying whether the cursor is at the end of the ResultSet. boolean bool = rs.isLast(); if(bool) { System.out.println("Cursor of the current ResultSet object is on the last row of the ResultSet"); } else { System.out.println("Cursor of the current ResultSet object is not on the last row of the ResultSet"); } rs.last(); if(rs.isLast()) { System.out.println("Cursor of the current ResultSet object is on the last row of the ResultSet"); } else { System.out.println("Cursor of the current ResultSet object is not on the last row of the ResultSet"); } } }
输出
Connection established...... Cursor of the current ResultSet object is not on the last row of the ResultSet Cursor of the current ResultSet object is on the last row of the ResultSet
广告