You signed in with another tab or window. Reload to refresh your session.You signed out in another tab or window. Reload to refresh your session.You switched accounts on another tab or window. Reload to refresh your session.Dismiss alert
ResultSet.TYPE_FORWARD_ONLY - rows can only be traversed forwards
ResultSet.TYPE_SCROLL_INSENSITIVE - rows can be traversed both forwards and backwards but will NOT change if table is updated
ResultSet.TYPE_SCROLL_SENSITIVE - forwards and backwards scrolling but DOES update if table is updated
We have the following concurrency modes:
ResultSet.CONCUR_READ_ONLY - provides a read only view of the data
ResultSet.CONCUR_UPDATABLE - enables you to update the table through the ResultSet
JDK will automatically downgrade a mode if the database does not support the mode😅
🟥 10.4 Executing a Statement
INSERT/UPDATE/DELETE queries must be done using a int executeUpdate(String) method. Attempting to do a selection will throw an SQLException at runtime!😱
SELECT queries must be done using a ResultSet executeQuery(String) method. Attempting to modify the table will throw an SQLException at runtime!😱
We have a method which can do both select and update queries: boolean execute(String) which returns whether a ResultSet is returned:
For a type-forward-only ResultSet, we can look at the results using next() which returns whether the cursor is on a row:
ResultSetrs = stmt.executeQuery("select id, name from species");
while (rs.next()) {
intid = rs.getInt(1); // rs.getInt("id") also worksStringname = rs.getInt(2); // rs.getString("name") also worksSystem.out.println(id+" "+name);
/* prints the following 1 African Elphhant 2 Zebra */
}
Attempting to obtain data from ResultSet without calling next() will throw a SQLException⚠️
Attempting to access a non-existent column with also throw a SQLException
⭐ Getting Data for a Column ⭐
The ResultSet interface has many getType() methods.
There are two methods which return sql types:
java.sql.TimegetTime(); // for TIMEjava.sql.DategetDate(); // for TIMESTAMPjava.sql.TimeStampgetTimeStamp(); // for TIMESTAMP
We can use getTime() for a TIMESTAMP column, it will only return the time component
There are 2 modes which allow you scroll backwards and to any point of the result set:
TYPE_SCROLL_INSENSITIVE
TYPE_SCROLL_SENSITIVE
With these modes, we have the following methods for navigating a ResultSet:
booleannext() // can be used for type-forward-only as wellbooleanprevious()
booleanfirst()
booleanabsolute(int) // giving a negative value will you row in reverse orderbooleanrelative(int) // can move cursor back and fourthvoidafterLast()
voidbeforeFirst()
Attempting to use the above methods on type-forward-only will throw an SQLException
🟥 10.6 Closing Database Resources
We can use try-with-resources syntax to automatically close Database Resources: