SlideShare a Scribd company logo
1 of 42
Download to read offline
Java Programming – JDBC
Oum Saokosal
Master’s Degree in information systems,Jeonju
University,South Korea
012 252 752 / 070 252 752
oumsaokosal@gmail.com
Contact Me
• Tel: 012 252 752 / 070 252 752
• Email: oumsaokosal@gmail.com
• FB Page: https://facebook.com/kosalgeek
• PPT: http://www.slideshare.net/oumsaokosal
• YouTube: https://www.youtube.com/user/oumsaokosal
• Twitter: https://twitter.com/okosal
• Web: http://kosalgeek.com
3
Introduction to JDBC
• JDBC is used for accessing databases from Java
applications
• Information is transferred from relations to
objects and vice-versa
• databases optimized for searching/indexing
• objectsoptimized for engineering/flexibility
4
JDBC Architecture
Java
Application JDBC
Oracle
DB2
MySQL
Oracle
Driver
DB2
Driver
MySQL
Driver
Network
JDBC Architecture (cont.)
Application JDBC Driver
• Java code calls JDBC library
• JDBC loads a driver
• Driver talks to a particular database
• An application can work with severaldatabases by
using all correspondingdrivers
• Ideal: can change databaseengines without
changing any application code (not always in
practice)
6
JDBC Driver for MySQL (Connector/J)
• DownloadConnector/J using binary
distribution from :
http://dev.mysql.com/downloads/connector/j/
• To install simply unzip (or untar) and put
mysql-connector-java-[version]-bin.jar
7
Seven Steps
• Load the driver
• Define the connection URL
• Establish the connection
• Create a Statement object
• Execute a query using the Statement
• Process the result
• Close the connection
8
Loading the Driver
• We can register the driver indirectly using the
statement
Class.forName("com.mysql.jdbc.Driver");
• Class.forName loads the specified class
• When mysqlDriver is loaded, it automatically
• creates an instanceof itself
• registers this instancewith the DriverManager
• Hence, the driver class can be given as an
argument of the application
9
An Example
// A driver for imaginary1
Class.forName("ORG.img.imgSQL1.imaginary1Driver");
// A driver for imaginary2
Driver driver = new ORG.img.imgSQL2.imaginary2Driver();
DriverManager.registerDriver(driver);
//A driver for MySQL
Class.forName("com.mysql.jdbc.Driver");
imaginary1 imaginary2
Registered Drivers
MySQL
10
Connecting to the Database
•Every database is identified by a URL
•Given a URL, DriverManager looks for the
driver that can talk to the corresponding
database
• DriverManager tries all registered drivers,
until a suitable one is found
11
Connecting to the Database
Connection con = DriverManager.
getConnection("jdbc:imaginaryDB1");
imaginary1 imaginary2
Registered Drivers
Oracle
a r r
acceptsURL("jdbc:imaginaryDB1")?
Interaction with the Database
•We use Statementobjects in order to
• Query the database
• Update the database
•Three different interfaces are used:
Statement, PreparedStatement, CallableStatement
• All are interfaces, hence cannot be instantiated
• They are created by the Connection
13
Querying with Statement
• The executeQuery method returns a ResultSet object
representing the query result.
•Will be discussed later…
String queryStr =
"SELECT * FROM employee " +
"WHERE lname = ‘Wong'";
Statement stmt = con.createStatement();
ResultSet rs = stmt.executeQuery(queryStr);
14
Changing DB with Statement
String deleteStr =
"DELETE FROM employee " +
"WHERE lname = ‘Wong'";
Statement stmt = con.createStatement();
int delnum = stmt.executeUpdate(deleteStr);
• executeUpdate is used for data manipulation: insert, delete,
update, create table, etc. (anything other than querying!)
• executeUpdate returns the number of rows modified
15
About Prepared Statements
• PreparedStatements are used for queries that are
executed manytimes
• They are parsed (compiled) by the DBMS only
once
• Column values can be set after compilation
• Instead of values, use ‘?’
• Hence, Prepared Statementscan be though of as
statementsthat contain placeholdersto be
substituted later with actual values
16
Querying with PreparedStatement
String queryStr =
"SELECT * FROM employee " +
"WHERE superssn= ? and salary > ?";
PreparedStatement pstmt =
con.prepareStatement(queryStr);
pstmt.setString(1, "333445555");
pstmt.setInt(2, 26000);
ResultSet rs = pstmt.executeQuery();
17
Updating with PreparedStatement
String deleteStr =
“DELETE FROM employee " +
"WHERE superssn = ? and salary > ?";
PreparedStatement pstmt = con.prepareStatement(deleteStr);
pstmt.setString(1, "333445555");
pstmt.setDouble(2, 26000);
int delnum = pstmt.executeUpdate();
18
Statements vs. PreparedStatements:
Be Careful!
•Are these the same?What do they do?
String val = "abc";
PreparedStatement pstmt = con.prepareStatement("select * from R where A=?");
pstmt.setString(1, val);
ResultSet rs = pstmt.executeQuery();
String val = "abc";
Statement stmt = con.createStatement( );
ResultSet rs =
stmt.executeQuery("select * from R where A=" + val);
19
Statements vs. PreparedStatements:
Be Careful!
• Will this work?
• No!!! A ‘?’ can only be used to represent a
column value
PreparedStatement pstmt = con.prepareStatement("select * from ?");
pstmt.setString(1, myFavoriteTableString);
20
Timeout
•Use setQueryTimeOut(int seconds) of
Statement to set a timeout for the driver
to wait for a statement to be completed
•If the operation is not completed in the
given time, an SQLException is thrown
•What is it good for?
ResultSet
• ResultSet objects provide access to the tables
generated as results of executing a Statement queries
• Only one ResultSet per Statement can be open at the
same time!
• The table rows are retrieved in sequence
• A ResultSet maintainsa cursor pointingto its current row
• The next() method moves the cursor to the next row
ResultSet Methods
• boolean next()
• activatesthe next row
• the first call to next() activatesthefirst row
• returns false if there are no more rows
• void close()
• disposesof the ResultSet
• allows you tore-use the Statementthat createdit
• automatically called by most Statement methods
ResultSet Methods
• Type getType(int columnIndex)
• returns the given field asthe given type
• indicesstart at 1 and not 0!
• Type getType(String columnName)
• same, but uses name offield
• less efficient
• For example: getString(columnIndex), getInt(columnName),
getTime, getBoolean, getType,...
• int findColumn(String columnName)
• looksup column indexgiven column name
24
ResultSet Methods
•JDBC 2.0 includes scrollable result sets.
Additional methods included are : ‘first’,
‘last’, ‘previous’, and other methods.
25
ResultSet Example
Statement stmt = con.createStatement();
ResultSet rs = stmt.
executeQuery("select lname,salary from Employees");
// Print the result
while(rs.next()) {
System.out.print(rs.getString(1) + ":");
System.out.println(rs.getDouble(“salary"));
}
Mapping JavaTypes to SQLTypes
SQL type Java Type
CHAR, VARCHAR, LONGVARCHAR String
NUMERIC, DECIMAL java.math.BigDecimal
BIT boolean
TINYINT byte
SMALLINT short
INTEGER int
BIGINT long
REAL float
FLOAT, DOUBLE double
BINARY, VARBINARY, LONGVARBINARY byte[]
DATE java.sql.Date
TIME java.sql.Time
TIMESTAMP java.sql.Timestamp
NullValues
•In SQL, NULL means the field is empty
•Not the same as 0 or ""
•In JDBC, you must explicitly ask if the
last-read field was null
• ResultSet.wasNull(column)
•For example, getInt(column) will return 0
if the value is either 0 or NULL!
28
NullValues
•When inserting null values into
placeholders of Prepared Statements:
• Use the method setNull(index, Types.sqlType)
for primitive types (e.g. INTEGER, REAL);
• You may also use the setType(index, null) for
object types (e.g. STRING, DATE).
29
ResultSet Meta-Data
ResultSetMetaData rsmd = rs.getMetaData();
int numcols = rsmd.getColumnCount();
for (int i = 1 ; i <= numcols; i++) {
System.out.print(rsmd.getColumnLabel(i)+" ");
}
A ResultSetMetaData is an object that can be used to get
information about the properties of the columns in a
ResultSet object
An example: write the columns of the result set
DatabaseTime
• Times in SQL are notoriously non-standard
• Java defines three classesto help
• java.sql.Date
• year, month,day
• java.sql.Time
• hours, minutes, seconds
• java.sql.Timestamp
• year, month,day,hours, minutes, seconds,nanoseconds
• usually use this one
31
Cleaning UpAfterYourself
• Remember to close the Connections,
Statements, PreparedStatements and Result
Sets
con.close();
stmt.close();
pstmt.close();
rs.close()
32
DealingWith Exceptions
• An SQLException is actually a list of exceptions
catch (SQLException e) {
while (e != null) {
System.out.println(e.getSQLState());
System.out.println(e.getMessage());
System.out.println(e.getErrorCode());
e = e.getNextException();
}
}
33
Transactions and JDBC
• Transaction: more than one statementthat must
all succeed (or all fail) together
• e.g.,updating several tablesdue tocustomer purchase
• If one fails, the system must reverse all previous
actions
• Also can’t leave DB in inconsistent state halfway
through a transaction
• COMMIT = complete transaction
• ROLLBACK = cancel all actions
34
Example
• Suppose we want to transfer money from bank
account 13 to account 72:
PreparedStatement pstmt = con.prepareStatement("update BankAccount
set amount = amount + ?
where accountId = ?");
pstmt.setInt(1,-100);
pstmt.setInt(2, 13);
pstmt.executeUpdate();
pstmt.setInt(1, 100);
pstmt.setInt(2, 72);
pstmt.executeUpdate(); What happens if this
update fails?
35
Transaction Management
• Transactions are not explicitly opened and closed
• The connection has a state called AutoCommit
mode
• if AutoCommit is true, then every statementis
automatically committed
• if AutoCommit is false, then every statement is
added to an ongoing transaction
• Default: true
36
AutoCommit
• If you setAutoCommit to false, you must explicitlycommitor
rollbackthe transactionusing Connection.commit() and
Connection.rollback()
• Note: DDL statements (e.g., creating/deletingtables)in a
transactionmay be ignored or may cause a commit to occur
• The behavior is DBMS dependent
setAutoCommit(boolean val)
37
Scrollable ResultSet
• Statement createStatement(
int resultSetType,
int resultSetConcurrency)
•resultSetType:
• ResultSet.TYPE_FORWARD_ONLY
• -default; same as in JDBC 1.0
• -allows only forward movement of the cursor
• -when rset.next() returnsfalse, the data is no
longer available and the result set is closed.
• ResultSet.TYPE_SCROLL_INSENSITIVE
• -backwards, forwards, random cursormovement.
• -changes made in the database are not seen in the
result set object in Java memory.
• ResultSetTYPE_SCROLL_SENSITIVE
• -backwards, forwards, random cursormovement.
• -changes made in the database are seen in the
• result set object in Java memory.
Scrollable ResultSet (cont’d)
39
Scrollable ResultSet (cont’d)
• resultSetConcurrency:
• ResultSet.CONCUR_READ_ONLY
• This isthe default (and same as in JDBC 1.0) and allowsonly data to be
read from the database.
• ResultSet.CONCUR_UPDATABLE
• This option allowsfor the Java program to make changesto the database
based on newmethodsand positioning ability ofthe cursor.
• Example:
• Statement stmt = conn.createStatement(
ResultSet.TYPE_SCROLL_INSENSITIVE,
ResultSet.CONCUR_READ_ONLY);
• ResultSetrset= stmt.executeQuery( “SHOW TABLES”);
40
Scrollable ResultSet (cont’d)
public boolean absolute(int row) throws SQLException
• -If the given row number is positive, this method moves the
cursor to the given row number (with the first row numbered 1).
• -If the row number is negative, the cursor moves to a relative
positionfrom the last row.
• -If the row number is 0, anSQLException will be raised.
public boolean relative(int row) throws SQLException
• This method callmoves the cursor a relative number of
rows, either positive or negative.
Scrollable ResultSet (cont’d)
• An attempt to move beyond the last row (or before
the first row) in the result set positions the cursor
after the last row (or before the first row).
public boolean first() throws SQLException
public boolean last() throws SQLException
public boolean previous() throws SQLException
public boolean next() throws SQLException
42
Scrollable ResultSet (cont’d)
public void beforeFirst() throws SQLException
public void afterLast() throws SQLException
public boolean isFirst() throws SQLException
public boolean isLast() throws SQLException
public boolean isAfterLast() throws SQLException
public boolean isBeforeFirst() throws SQLException
public int getRow() throws SQLException
• getRow() methodretrieves the current row number:
The first row is number 1, the secondnumber 2, andso on.

More Related Content

What's hot

JSON: The Basics
JSON: The BasicsJSON: The Basics
JSON: The BasicsJeff Fox
 
Java Servlets
Java ServletsJava Servlets
Java ServletsNitin Pai
 
ASP.NET Web API
ASP.NET Web APIASP.NET Web API
ASP.NET Web APIhabib_786
 
Hibernate tutorial for beginners
Hibernate tutorial for beginnersHibernate tutorial for beginners
Hibernate tutorial for beginnersRahul Jain
 
Spring 3.x - Spring MVC - Advanced topics
Spring 3.x - Spring MVC - Advanced topicsSpring 3.x - Spring MVC - Advanced topics
Spring 3.x - Spring MVC - Advanced topicsGuy Nir
 
An introduction to SQLAlchemy
An introduction to SQLAlchemyAn introduction to SQLAlchemy
An introduction to SQLAlchemymengukagan
 
Web API authentication and authorization
Web API authentication and authorization Web API authentication and authorization
Web API authentication and authorization Chalermpon Areepong
 
Spring Data JPA from 0-100 in 60 minutes
Spring Data JPA from 0-100 in 60 minutesSpring Data JPA from 0-100 in 60 minutes
Spring Data JPA from 0-100 in 60 minutesVMware Tanzu
 
Java 8-streams-collectors-patterns
Java 8-streams-collectors-patternsJava 8-streams-collectors-patterns
Java 8-streams-collectors-patternsJosé Paumard
 
Curso de WebServlets (Java EE 7)
Curso de WebServlets (Java EE 7)Curso de WebServlets (Java EE 7)
Curso de WebServlets (Java EE 7)Helder da Rocha
 
Understanding REST
Understanding RESTUnderstanding REST
Understanding RESTNitin Pande
 
REST API and CRUD
REST API and CRUDREST API and CRUD
REST API and CRUDPrem Sanil
 
Request dispacther interface ppt
Request dispacther interface pptRequest dispacther interface ppt
Request dispacther interface pptTaha Malampatti
 

What's hot (20)

JSON: The Basics
JSON: The BasicsJSON: The Basics
JSON: The Basics
 
Java Servlets
Java ServletsJava Servlets
Java Servlets
 
ASP.NET Web API
ASP.NET Web APIASP.NET Web API
ASP.NET Web API
 
Java 8 Lambda Expressions
Java 8 Lambda ExpressionsJava 8 Lambda Expressions
Java 8 Lambda Expressions
 
Json
JsonJson
Json
 
Hibernate tutorial for beginners
Hibernate tutorial for beginnersHibernate tutorial for beginners
Hibernate tutorial for beginners
 
Spring 3.x - Spring MVC - Advanced topics
Spring 3.x - Spring MVC - Advanced topicsSpring 3.x - Spring MVC - Advanced topics
Spring 3.x - Spring MVC - Advanced topics
 
Spring data jpa
Spring data jpaSpring data jpa
Spring data jpa
 
An introduction to SQLAlchemy
An introduction to SQLAlchemyAn introduction to SQLAlchemy
An introduction to SQLAlchemy
 
Java Logging
Java LoggingJava Logging
Java Logging
 
NodeJS for Beginner
NodeJS for BeginnerNodeJS for Beginner
NodeJS for Beginner
 
Web API authentication and authorization
Web API authentication and authorization Web API authentication and authorization
Web API authentication and authorization
 
Spring Core
Spring CoreSpring Core
Spring Core
 
Spring Data JPA from 0-100 in 60 minutes
Spring Data JPA from 0-100 in 60 minutesSpring Data JPA from 0-100 in 60 minutes
Spring Data JPA from 0-100 in 60 minutes
 
Java 8-streams-collectors-patterns
Java 8-streams-collectors-patternsJava 8-streams-collectors-patterns
Java 8-streams-collectors-patterns
 
Curso de WebServlets (Java EE 7)
Curso de WebServlets (Java EE 7)Curso de WebServlets (Java EE 7)
Curso de WebServlets (Java EE 7)
 
Understanding REST
Understanding RESTUnderstanding REST
Understanding REST
 
REST API and CRUD
REST API and CRUDREST API and CRUD
REST API and CRUD
 
Request dispacther interface ppt
Request dispacther interface pptRequest dispacther interface ppt
Request dispacther interface ppt
 
REST & RESTful Web Services
REST & RESTful Web ServicesREST & RESTful Web Services
REST & RESTful Web Services
 

Viewers also liked

Android app development - Java Programming for Android
Android app development - Java Programming for AndroidAndroid app development - Java Programming for Android
Android app development - Java Programming for AndroidOUM SAOKOSAL
 
Java OOP Programming language (Part 7) - Swing
Java OOP Programming language (Part 7) - SwingJava OOP Programming language (Part 7) - Swing
Java OOP Programming language (Part 7) - SwingOUM SAOKOSAL
 
Java OOP Programming language (Part 6) - Abstract Class & Interface
Java OOP Programming language (Part 6) - Abstract Class & InterfaceJava OOP Programming language (Part 6) - Abstract Class & Interface
Java OOP Programming language (Part 6) - Abstract Class & InterfaceOUM SAOKOSAL
 
Java OOP Programming language (Part 4) - Collection
Java OOP Programming language (Part 4) - CollectionJava OOP Programming language (Part 4) - Collection
Java OOP Programming language (Part 4) - CollectionOUM SAOKOSAL
 
Java OOP Programming language (Part 5) - Inheritance
Java OOP Programming language (Part 5) - InheritanceJava OOP Programming language (Part 5) - Inheritance
Java OOP Programming language (Part 5) - InheritanceOUM SAOKOSAL
 
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with Examples
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with ExamplesJavascript & DOM - Part 1- Javascript Tutorial for Beginners with Examples
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with ExamplesOUM SAOKOSAL
 
How to succeed in graduate school
How to succeed in graduate schoolHow to succeed in graduate school
How to succeed in graduate schoolOUM SAOKOSAL
 
Java database connectivity
Java database connectivityJava database connectivity
Java database connectivityVaishali Modi
 
Object+oriented+programming+in+java
Object+oriented+programming+in+javaObject+oriented+programming+in+java
Object+oriented+programming+in+javaYe Win
 
Measuring And Defining The Experience Of Immersion In Games
Measuring And  Defining The  Experience Of  Immersion In GamesMeasuring And  Defining The  Experience Of  Immersion In Games
Measuring And Defining The Experience Of Immersion In GamesOUM SAOKOSAL
 
ITS (Intelligent Teleportation System)
ITS (Intelligent Teleportation System)ITS (Intelligent Teleportation System)
ITS (Intelligent Teleportation System)OUM SAOKOSAL
 
Terminology In Telecommunication
Terminology In TelecommunicationTerminology In Telecommunication
Terminology In TelecommunicationOUM SAOKOSAL
 
Chapter 9 Interface
Chapter 9 InterfaceChapter 9 Interface
Chapter 9 InterfaceOUM SAOKOSAL
 
Kimchi Questionnaire
Kimchi QuestionnaireKimchi Questionnaire
Kimchi QuestionnaireOUM SAOKOSAL
 
Actionscript 3 - Session 7 Other Note
Actionscript 3 - Session 7 Other NoteActionscript 3 - Session 7 Other Note
Actionscript 3 - Session 7 Other NoteOUM SAOKOSAL
 
Android Course - Lesson5
 Android Course - Lesson5 Android Course - Lesson5
Android Course - Lesson5Callum Taylor
 
Beginners guide to creating mobile apps
Beginners guide to creating mobile appsBeginners guide to creating mobile apps
Beginners guide to creating mobile appsJames Quick
 
Android App Development Tips for Beginners
Android App Development Tips for BeginnersAndroid App Development Tips for Beginners
Android App Development Tips for BeginnersZoftino
 

Viewers also liked (20)

Android app development - Java Programming for Android
Android app development - Java Programming for AndroidAndroid app development - Java Programming for Android
Android app development - Java Programming for Android
 
Java OOP Programming language (Part 7) - Swing
Java OOP Programming language (Part 7) - SwingJava OOP Programming language (Part 7) - Swing
Java OOP Programming language (Part 7) - Swing
 
Java OOP Programming language (Part 6) - Abstract Class & Interface
Java OOP Programming language (Part 6) - Abstract Class & InterfaceJava OOP Programming language (Part 6) - Abstract Class & Interface
Java OOP Programming language (Part 6) - Abstract Class & Interface
 
Java OOP Programming language (Part 4) - Collection
Java OOP Programming language (Part 4) - CollectionJava OOP Programming language (Part 4) - Collection
Java OOP Programming language (Part 4) - Collection
 
Java OOP Programming language (Part 5) - Inheritance
Java OOP Programming language (Part 5) - InheritanceJava OOP Programming language (Part 5) - Inheritance
Java OOP Programming language (Part 5) - Inheritance
 
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with Examples
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with ExamplesJavascript & DOM - Part 1- Javascript Tutorial for Beginners with Examples
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with Examples
 
How to succeed in graduate school
How to succeed in graduate schoolHow to succeed in graduate school
How to succeed in graduate school
 
Java database connectivity
Java database connectivityJava database connectivity
Java database connectivity
 
Object+oriented+programming+in+java
Object+oriented+programming+in+javaObject+oriented+programming+in+java
Object+oriented+programming+in+java
 
Measuring And Defining The Experience Of Immersion In Games
Measuring And  Defining The  Experience Of  Immersion In GamesMeasuring And  Defining The  Experience Of  Immersion In Games
Measuring And Defining The Experience Of Immersion In Games
 
Chapter 7 String
Chapter 7 StringChapter 7 String
Chapter 7 String
 
ITS (Intelligent Teleportation System)
ITS (Intelligent Teleportation System)ITS (Intelligent Teleportation System)
ITS (Intelligent Teleportation System)
 
Terminology In Telecommunication
Terminology In TelecommunicationTerminology In Telecommunication
Terminology In Telecommunication
 
Chapter 9 Interface
Chapter 9 InterfaceChapter 9 Interface
Chapter 9 Interface
 
Tutorial 1
Tutorial 1Tutorial 1
Tutorial 1
 
Kimchi Questionnaire
Kimchi QuestionnaireKimchi Questionnaire
Kimchi Questionnaire
 
Actionscript 3 - Session 7 Other Note
Actionscript 3 - Session 7 Other NoteActionscript 3 - Session 7 Other Note
Actionscript 3 - Session 7 Other Note
 
Android Course - Lesson5
 Android Course - Lesson5 Android Course - Lesson5
Android Course - Lesson5
 
Beginners guide to creating mobile apps
Beginners guide to creating mobile appsBeginners guide to creating mobile apps
Beginners guide to creating mobile apps
 
Android App Development Tips for Beginners
Android App Development Tips for BeginnersAndroid App Development Tips for Beginners
Android App Development Tips for Beginners
 

Similar to Java OOP Programming language (Part 8) - Java Database JDBC

Jdbc oracle
Jdbc oracleJdbc oracle
Jdbc oracleyazidds2
 
Jdbc Java Programming
Jdbc Java ProgrammingJdbc Java Programming
Jdbc Java Programmingchhaichivon
 
JDBC Connecticity.ppt
JDBC Connecticity.pptJDBC Connecticity.ppt
JDBC Connecticity.pptSwapnil Kale
 
JDBC for CSQL Database
JDBC for CSQL DatabaseJDBC for CSQL Database
JDBC for CSQL Databasejitendral
 
Jdbc presentation
Jdbc presentationJdbc presentation
Jdbc presentationnrjoshiee
 
Introduction to SQLite in Adobe AIR
Introduction to SQLite in Adobe AIRIntroduction to SQLite in Adobe AIR
Introduction to SQLite in Adobe AIRPeter Elst
 
Core Java Programming Language (JSE) : Chapter XIII - JDBC
Core Java Programming Language (JSE) : Chapter XIII -  JDBCCore Java Programming Language (JSE) : Chapter XIII -  JDBC
Core Java Programming Language (JSE) : Chapter XIII - JDBCWebStackAcademy
 
statement interface
statement interface statement interface
statement interface khush_boo31
 
Chapter 3.pptx Oracle SQL or local Android database setup SQL, SQL-Lite, codi...
Chapter 3.pptx Oracle SQL or local Android database setup SQL, SQL-Lite, codi...Chapter 3.pptx Oracle SQL or local Android database setup SQL, SQL-Lite, codi...
Chapter 3.pptx Oracle SQL or local Android database setup SQL, SQL-Lite, codi...TAISEEREISA
 
Spring framework part 2
Spring framework part 2Spring framework part 2
Spring framework part 2Haroon Idrees
 
Database Programming Techniques
Database Programming TechniquesDatabase Programming Techniques
Database Programming TechniquesRaji Ghawi
 

Similar to Java OOP Programming language (Part 8) - Java Database JDBC (20)

Jdbc oracle
Jdbc oracleJdbc oracle
Jdbc oracle
 
Jdbc Java Programming
Jdbc Java ProgrammingJdbc Java Programming
Jdbc Java Programming
 
JDBC – Java Database Connectivity
JDBC – Java Database ConnectivityJDBC – Java Database Connectivity
JDBC – Java Database Connectivity
 
Jdbc
JdbcJdbc
Jdbc
 
Jdbc
JdbcJdbc
Jdbc
 
Java JDBC
Java JDBCJava JDBC
Java JDBC
 
JDBC Connecticity.ppt
JDBC Connecticity.pptJDBC Connecticity.ppt
JDBC Connecticity.ppt
 
JDBC for CSQL Database
JDBC for CSQL DatabaseJDBC for CSQL Database
JDBC for CSQL Database
 
Jdbc presentation
Jdbc presentationJdbc presentation
Jdbc presentation
 
Introduction to SQLite in Adobe AIR
Introduction to SQLite in Adobe AIRIntroduction to SQLite in Adobe AIR
Introduction to SQLite in Adobe AIR
 
Jdbc day-1
Jdbc day-1Jdbc day-1
Jdbc day-1
 
Core Java Programming Language (JSE) : Chapter XIII - JDBC
Core Java Programming Language (JSE) : Chapter XIII -  JDBCCore Java Programming Language (JSE) : Chapter XIII -  JDBC
Core Java Programming Language (JSE) : Chapter XIII - JDBC
 
statement interface
statement interface statement interface
statement interface
 
Chapter 3.pptx Oracle SQL or local Android database setup SQL, SQL-Lite, codi...
Chapter 3.pptx Oracle SQL or local Android database setup SQL, SQL-Lite, codi...Chapter 3.pptx Oracle SQL or local Android database setup SQL, SQL-Lite, codi...
Chapter 3.pptx Oracle SQL or local Android database setup SQL, SQL-Lite, codi...
 
Sql lite android
Sql lite androidSql lite android
Sql lite android
 
Jsp project module
Jsp project moduleJsp project module
Jsp project module
 
Spring framework part 2
Spring framework part 2Spring framework part 2
Spring framework part 2
 
22jdbc
22jdbc22jdbc
22jdbc
 
JDBC in Servlets
JDBC in ServletsJDBC in Servlets
JDBC in Servlets
 
Database Programming Techniques
Database Programming TechniquesDatabase Programming Techniques
Database Programming Techniques
 

More from OUM SAOKOSAL

Class Diagram | OOP and Design Patterns by Oum Saokosal
Class Diagram | OOP and Design Patterns by Oum SaokosalClass Diagram | OOP and Design Patterns by Oum Saokosal
Class Diagram | OOP and Design Patterns by Oum SaokosalOUM SAOKOSAL
 
Java OOP Programming language (Part 3) - Class and Object
Java OOP Programming language (Part 3) - Class and ObjectJava OOP Programming language (Part 3) - Class and Object
Java OOP Programming language (Part 3) - Class and ObjectOUM SAOKOSAL
 
Java OOP Programming language (Part 1) - Introduction to Java
Java OOP Programming language (Part 1) - Introduction to JavaJava OOP Programming language (Part 1) - Introduction to Java
Java OOP Programming language (Part 1) - Introduction to JavaOUM SAOKOSAL
 
Aggregate rank bringing order to web sites
Aggregate rank  bringing order to web sitesAggregate rank  bringing order to web sites
Aggregate rank bringing order to web sitesOUM SAOKOSAL
 
Data preparation for mining world wide web browsing patterns (1999)
Data preparation for mining world wide web browsing patterns (1999)Data preparation for mining world wide web browsing patterns (1999)
Data preparation for mining world wide web browsing patterns (1999)OUM SAOKOSAL
 
Consumer acceptance of online banking an extension of the technology accepta...
Consumer acceptance of online banking  an extension of the technology accepta...Consumer acceptance of online banking  an extension of the technology accepta...
Consumer acceptance of online banking an extension of the technology accepta...OUM SAOKOSAL
 
When Do People Help
When Do People HelpWhen Do People Help
When Do People HelpOUM SAOKOSAL
 
Correlation Example
Correlation ExampleCorrelation Example
Correlation ExampleOUM SAOKOSAL
 
Path Spss Amos (1)
Path Spss Amos (1)Path Spss Amos (1)
Path Spss Amos (1)OUM SAOKOSAL
 
How To Succeed In Graduate School
How To Succeed In Graduate SchoolHow To Succeed In Graduate School
How To Succeed In Graduate SchoolOUM SAOKOSAL
 
Actionscript 3 - Session 4 Core Concept
Actionscript 3 - Session 4 Core ConceptActionscript 3 - Session 4 Core Concept
Actionscript 3 - Session 4 Core ConceptOUM SAOKOSAL
 
Actionscript 3 - Session 3 Action Script And Flash
Actionscript 3 - Session 3 Action Script And FlashActionscript 3 - Session 3 Action Script And Flash
Actionscript 3 - Session 3 Action Script And FlashOUM SAOKOSAL
 
Actionscript 3 - Session 1 Introduction To As 3
Actionscript 3 - Session 1 Introduction To As 3Actionscript 3 - Session 1 Introduction To As 3
Actionscript 3 - Session 1 Introduction To As 3OUM SAOKOSAL
 
Actionscript 3 - Session 5 The Display Api And The Display List
Actionscript 3 - Session 5 The Display Api And The Display ListActionscript 3 - Session 5 The Display Api And The Display List
Actionscript 3 - Session 5 The Display Api And The Display ListOUM SAOKOSAL
 
Actionscript 3 - Session 6 Interactivity
Actionscript 3 - Session 6 InteractivityActionscript 3 - Session 6 Interactivity
Actionscript 3 - Session 6 InteractivityOUM SAOKOSAL
 

More from OUM SAOKOSAL (20)

Class Diagram | OOP and Design Patterns by Oum Saokosal
Class Diagram | OOP and Design Patterns by Oum SaokosalClass Diagram | OOP and Design Patterns by Oum Saokosal
Class Diagram | OOP and Design Patterns by Oum Saokosal
 
Java OOP Programming language (Part 3) - Class and Object
Java OOP Programming language (Part 3) - Class and ObjectJava OOP Programming language (Part 3) - Class and Object
Java OOP Programming language (Part 3) - Class and Object
 
Java OOP Programming language (Part 1) - Introduction to Java
Java OOP Programming language (Part 1) - Introduction to JavaJava OOP Programming language (Part 1) - Introduction to Java
Java OOP Programming language (Part 1) - Introduction to Java
 
Aggregate rank bringing order to web sites
Aggregate rank  bringing order to web sitesAggregate rank  bringing order to web sites
Aggregate rank bringing order to web sites
 
Google
GoogleGoogle
Google
 
E miner
E minerE miner
E miner
 
Data preparation for mining world wide web browsing patterns (1999)
Data preparation for mining world wide web browsing patterns (1999)Data preparation for mining world wide web browsing patterns (1999)
Data preparation for mining world wide web browsing patterns (1999)
 
Consumer acceptance of online banking an extension of the technology accepta...
Consumer acceptance of online banking  an extension of the technology accepta...Consumer acceptance of online banking  an extension of the technology accepta...
Consumer acceptance of online banking an extension of the technology accepta...
 
When Do People Help
When Do People HelpWhen Do People Help
When Do People Help
 
Mc Nemar
Mc NemarMc Nemar
Mc Nemar
 
Correlation Example
Correlation ExampleCorrelation Example
Correlation Example
 
Sem Ski Amos
Sem Ski AmosSem Ski Amos
Sem Ski Amos
 
Sem+Essentials
Sem+EssentialsSem+Essentials
Sem+Essentials
 
Path Spss Amos (1)
Path Spss Amos (1)Path Spss Amos (1)
Path Spss Amos (1)
 
How To Succeed In Graduate School
How To Succeed In Graduate SchoolHow To Succeed In Graduate School
How To Succeed In Graduate School
 
Actionscript 3 - Session 4 Core Concept
Actionscript 3 - Session 4 Core ConceptActionscript 3 - Session 4 Core Concept
Actionscript 3 - Session 4 Core Concept
 
Actionscript 3 - Session 3 Action Script And Flash
Actionscript 3 - Session 3 Action Script And FlashActionscript 3 - Session 3 Action Script And Flash
Actionscript 3 - Session 3 Action Script And Flash
 
Actionscript 3 - Session 1 Introduction To As 3
Actionscript 3 - Session 1 Introduction To As 3Actionscript 3 - Session 1 Introduction To As 3
Actionscript 3 - Session 1 Introduction To As 3
 
Actionscript 3 - Session 5 The Display Api And The Display List
Actionscript 3 - Session 5 The Display Api And The Display ListActionscript 3 - Session 5 The Display Api And The Display List
Actionscript 3 - Session 5 The Display Api And The Display List
 
Actionscript 3 - Session 6 Interactivity
Actionscript 3 - Session 6 InteractivityActionscript 3 - Session 6 Interactivity
Actionscript 3 - Session 6 Interactivity
 

Recently uploaded

DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenHervé Boutemy
 
Moving Beyond Passwords: FIDO Paris Seminar.pdf
Moving Beyond Passwords: FIDO Paris Seminar.pdfMoving Beyond Passwords: FIDO Paris Seminar.pdf
Moving Beyond Passwords: FIDO Paris Seminar.pdfLoriGlavin3
 
Generative AI for Technical Writer or Information Developers
Generative AI for Technical Writer or Information DevelopersGenerative AI for Technical Writer or Information Developers
Generative AI for Technical Writer or Information DevelopersRaghuram Pandurangan
 
Passkey Providers and Enabling Portability: FIDO Paris Seminar.pptx
Passkey Providers and Enabling Portability: FIDO Paris Seminar.pptxPasskey Providers and Enabling Portability: FIDO Paris Seminar.pptx
Passkey Providers and Enabling Portability: FIDO Paris Seminar.pptxLoriGlavin3
 
Training state-of-the-art general text embedding
Training state-of-the-art general text embeddingTraining state-of-the-art general text embedding
Training state-of-the-art general text embeddingZilliz
 
From Family Reminiscence to Scholarly Archive .
From Family Reminiscence to Scholarly Archive .From Family Reminiscence to Scholarly Archive .
From Family Reminiscence to Scholarly Archive .Alan Dix
 
Advanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionAdvanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionDilum Bandara
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024Lonnie McRorey
 
SALESFORCE EDUCATION CLOUD | FEXLE SERVICES
SALESFORCE EDUCATION CLOUD | FEXLE SERVICESSALESFORCE EDUCATION CLOUD | FEXLE SERVICES
SALESFORCE EDUCATION CLOUD | FEXLE SERVICESmohitsingh558521
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsPixlogix Infotech
 
Rise of the Machines: Known As Drones...
Rise of the Machines: Known As Drones...Rise of the Machines: Known As Drones...
Rise of the Machines: Known As Drones...Rick Flair
 
Sample pptx for embedding into website for demo
Sample pptx for embedding into website for demoSample pptx for embedding into website for demo
Sample pptx for embedding into website for demoHarshalMandlekar2
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr BaganFwdays
 
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024BookNet Canada
 
Digital Identity is Under Attack: FIDO Paris Seminar.pptx
Digital Identity is Under Attack: FIDO Paris Seminar.pptxDigital Identity is Under Attack: FIDO Paris Seminar.pptx
Digital Identity is Under Attack: FIDO Paris Seminar.pptxLoriGlavin3
 
unit 4 immunoblotting technique complete.pptx
unit 4 immunoblotting technique complete.pptxunit 4 immunoblotting technique complete.pptx
unit 4 immunoblotting technique complete.pptxBkGupta21
 
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptxThe Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptxLoriGlavin3
 
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024BookNet Canada
 
Artificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxArtificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxhariprasad279825
 

Recently uploaded (20)

DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache Maven
 
Moving Beyond Passwords: FIDO Paris Seminar.pdf
Moving Beyond Passwords: FIDO Paris Seminar.pdfMoving Beyond Passwords: FIDO Paris Seminar.pdf
Moving Beyond Passwords: FIDO Paris Seminar.pdf
 
Generative AI for Technical Writer or Information Developers
Generative AI for Technical Writer or Information DevelopersGenerative AI for Technical Writer or Information Developers
Generative AI for Technical Writer or Information Developers
 
Passkey Providers and Enabling Portability: FIDO Paris Seminar.pptx
Passkey Providers and Enabling Portability: FIDO Paris Seminar.pptxPasskey Providers and Enabling Portability: FIDO Paris Seminar.pptx
Passkey Providers and Enabling Portability: FIDO Paris Seminar.pptx
 
Training state-of-the-art general text embedding
Training state-of-the-art general text embeddingTraining state-of-the-art general text embedding
Training state-of-the-art general text embedding
 
From Family Reminiscence to Scholarly Archive .
From Family Reminiscence to Scholarly Archive .From Family Reminiscence to Scholarly Archive .
From Family Reminiscence to Scholarly Archive .
 
Advanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionAdvanced Computer Architecture – An Introduction
Advanced Computer Architecture – An Introduction
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024
 
SALESFORCE EDUCATION CLOUD | FEXLE SERVICES
SALESFORCE EDUCATION CLOUD | FEXLE SERVICESSALESFORCE EDUCATION CLOUD | FEXLE SERVICES
SALESFORCE EDUCATION CLOUD | FEXLE SERVICES
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and Cons
 
Rise of the Machines: Known As Drones...
Rise of the Machines: Known As Drones...Rise of the Machines: Known As Drones...
Rise of the Machines: Known As Drones...
 
Sample pptx for embedding into website for demo
Sample pptx for embedding into website for demoSample pptx for embedding into website for demo
Sample pptx for embedding into website for demo
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan
 
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
 
Digital Identity is Under Attack: FIDO Paris Seminar.pptx
Digital Identity is Under Attack: FIDO Paris Seminar.pptxDigital Identity is Under Attack: FIDO Paris Seminar.pptx
Digital Identity is Under Attack: FIDO Paris Seminar.pptx
 
unit 4 immunoblotting technique complete.pptx
unit 4 immunoblotting technique complete.pptxunit 4 immunoblotting technique complete.pptx
unit 4 immunoblotting technique complete.pptx
 
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptxThe Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
 
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
 
Artificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxArtificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptx
 

Java OOP Programming language (Part 8) - Java Database JDBC

  • 1. Java Programming – JDBC Oum Saokosal Master’s Degree in information systems,Jeonju University,South Korea 012 252 752 / 070 252 752 oumsaokosal@gmail.com
  • 2. Contact Me • Tel: 012 252 752 / 070 252 752 • Email: oumsaokosal@gmail.com • FB Page: https://facebook.com/kosalgeek • PPT: http://www.slideshare.net/oumsaokosal • YouTube: https://www.youtube.com/user/oumsaokosal • Twitter: https://twitter.com/okosal • Web: http://kosalgeek.com
  • 3. 3 Introduction to JDBC • JDBC is used for accessing databases from Java applications • Information is transferred from relations to objects and vice-versa • databases optimized for searching/indexing • objectsoptimized for engineering/flexibility
  • 5. JDBC Architecture (cont.) Application JDBC Driver • Java code calls JDBC library • JDBC loads a driver • Driver talks to a particular database • An application can work with severaldatabases by using all correspondingdrivers • Ideal: can change databaseengines without changing any application code (not always in practice)
  • 6. 6 JDBC Driver for MySQL (Connector/J) • DownloadConnector/J using binary distribution from : http://dev.mysql.com/downloads/connector/j/ • To install simply unzip (or untar) and put mysql-connector-java-[version]-bin.jar
  • 7. 7 Seven Steps • Load the driver • Define the connection URL • Establish the connection • Create a Statement object • Execute a query using the Statement • Process the result • Close the connection
  • 8. 8 Loading the Driver • We can register the driver indirectly using the statement Class.forName("com.mysql.jdbc.Driver"); • Class.forName loads the specified class • When mysqlDriver is loaded, it automatically • creates an instanceof itself • registers this instancewith the DriverManager • Hence, the driver class can be given as an argument of the application
  • 9. 9 An Example // A driver for imaginary1 Class.forName("ORG.img.imgSQL1.imaginary1Driver"); // A driver for imaginary2 Driver driver = new ORG.img.imgSQL2.imaginary2Driver(); DriverManager.registerDriver(driver); //A driver for MySQL Class.forName("com.mysql.jdbc.Driver"); imaginary1 imaginary2 Registered Drivers MySQL
  • 10. 10 Connecting to the Database •Every database is identified by a URL •Given a URL, DriverManager looks for the driver that can talk to the corresponding database • DriverManager tries all registered drivers, until a suitable one is found
  • 11. 11 Connecting to the Database Connection con = DriverManager. getConnection("jdbc:imaginaryDB1"); imaginary1 imaginary2 Registered Drivers Oracle a r r acceptsURL("jdbc:imaginaryDB1")?
  • 12. Interaction with the Database •We use Statementobjects in order to • Query the database • Update the database •Three different interfaces are used: Statement, PreparedStatement, CallableStatement • All are interfaces, hence cannot be instantiated • They are created by the Connection
  • 13. 13 Querying with Statement • The executeQuery method returns a ResultSet object representing the query result. •Will be discussed later… String queryStr = "SELECT * FROM employee " + "WHERE lname = ‘Wong'"; Statement stmt = con.createStatement(); ResultSet rs = stmt.executeQuery(queryStr);
  • 14. 14 Changing DB with Statement String deleteStr = "DELETE FROM employee " + "WHERE lname = ‘Wong'"; Statement stmt = con.createStatement(); int delnum = stmt.executeUpdate(deleteStr); • executeUpdate is used for data manipulation: insert, delete, update, create table, etc. (anything other than querying!) • executeUpdate returns the number of rows modified
  • 15. 15 About Prepared Statements • PreparedStatements are used for queries that are executed manytimes • They are parsed (compiled) by the DBMS only once • Column values can be set after compilation • Instead of values, use ‘?’ • Hence, Prepared Statementscan be though of as statementsthat contain placeholdersto be substituted later with actual values
  • 16. 16 Querying with PreparedStatement String queryStr = "SELECT * FROM employee " + "WHERE superssn= ? and salary > ?"; PreparedStatement pstmt = con.prepareStatement(queryStr); pstmt.setString(1, "333445555"); pstmt.setInt(2, 26000); ResultSet rs = pstmt.executeQuery();
  • 17. 17 Updating with PreparedStatement String deleteStr = “DELETE FROM employee " + "WHERE superssn = ? and salary > ?"; PreparedStatement pstmt = con.prepareStatement(deleteStr); pstmt.setString(1, "333445555"); pstmt.setDouble(2, 26000); int delnum = pstmt.executeUpdate();
  • 18. 18 Statements vs. PreparedStatements: Be Careful! •Are these the same?What do they do? String val = "abc"; PreparedStatement pstmt = con.prepareStatement("select * from R where A=?"); pstmt.setString(1, val); ResultSet rs = pstmt.executeQuery(); String val = "abc"; Statement stmt = con.createStatement( ); ResultSet rs = stmt.executeQuery("select * from R where A=" + val);
  • 19. 19 Statements vs. PreparedStatements: Be Careful! • Will this work? • No!!! A ‘?’ can only be used to represent a column value PreparedStatement pstmt = con.prepareStatement("select * from ?"); pstmt.setString(1, myFavoriteTableString);
  • 20. 20 Timeout •Use setQueryTimeOut(int seconds) of Statement to set a timeout for the driver to wait for a statement to be completed •If the operation is not completed in the given time, an SQLException is thrown •What is it good for?
  • 21. ResultSet • ResultSet objects provide access to the tables generated as results of executing a Statement queries • Only one ResultSet per Statement can be open at the same time! • The table rows are retrieved in sequence • A ResultSet maintainsa cursor pointingto its current row • The next() method moves the cursor to the next row
  • 22. ResultSet Methods • boolean next() • activatesthe next row • the first call to next() activatesthefirst row • returns false if there are no more rows • void close() • disposesof the ResultSet • allows you tore-use the Statementthat createdit • automatically called by most Statement methods
  • 23. ResultSet Methods • Type getType(int columnIndex) • returns the given field asthe given type • indicesstart at 1 and not 0! • Type getType(String columnName) • same, but uses name offield • less efficient • For example: getString(columnIndex), getInt(columnName), getTime, getBoolean, getType,... • int findColumn(String columnName) • looksup column indexgiven column name
  • 24. 24 ResultSet Methods •JDBC 2.0 includes scrollable result sets. Additional methods included are : ‘first’, ‘last’, ‘previous’, and other methods.
  • 25. 25 ResultSet Example Statement stmt = con.createStatement(); ResultSet rs = stmt. executeQuery("select lname,salary from Employees"); // Print the result while(rs.next()) { System.out.print(rs.getString(1) + ":"); System.out.println(rs.getDouble(“salary")); }
  • 26. Mapping JavaTypes to SQLTypes SQL type Java Type CHAR, VARCHAR, LONGVARCHAR String NUMERIC, DECIMAL java.math.BigDecimal BIT boolean TINYINT byte SMALLINT short INTEGER int BIGINT long REAL float FLOAT, DOUBLE double BINARY, VARBINARY, LONGVARBINARY byte[] DATE java.sql.Date TIME java.sql.Time TIMESTAMP java.sql.Timestamp
  • 27. NullValues •In SQL, NULL means the field is empty •Not the same as 0 or "" •In JDBC, you must explicitly ask if the last-read field was null • ResultSet.wasNull(column) •For example, getInt(column) will return 0 if the value is either 0 or NULL!
  • 28. 28 NullValues •When inserting null values into placeholders of Prepared Statements: • Use the method setNull(index, Types.sqlType) for primitive types (e.g. INTEGER, REAL); • You may also use the setType(index, null) for object types (e.g. STRING, DATE).
  • 29. 29 ResultSet Meta-Data ResultSetMetaData rsmd = rs.getMetaData(); int numcols = rsmd.getColumnCount(); for (int i = 1 ; i <= numcols; i++) { System.out.print(rsmd.getColumnLabel(i)+" "); } A ResultSetMetaData is an object that can be used to get information about the properties of the columns in a ResultSet object An example: write the columns of the result set
  • 30. DatabaseTime • Times in SQL are notoriously non-standard • Java defines three classesto help • java.sql.Date • year, month,day • java.sql.Time • hours, minutes, seconds • java.sql.Timestamp • year, month,day,hours, minutes, seconds,nanoseconds • usually use this one
  • 31. 31 Cleaning UpAfterYourself • Remember to close the Connections, Statements, PreparedStatements and Result Sets con.close(); stmt.close(); pstmt.close(); rs.close()
  • 32. 32 DealingWith Exceptions • An SQLException is actually a list of exceptions catch (SQLException e) { while (e != null) { System.out.println(e.getSQLState()); System.out.println(e.getMessage()); System.out.println(e.getErrorCode()); e = e.getNextException(); } }
  • 33. 33 Transactions and JDBC • Transaction: more than one statementthat must all succeed (or all fail) together • e.g.,updating several tablesdue tocustomer purchase • If one fails, the system must reverse all previous actions • Also can’t leave DB in inconsistent state halfway through a transaction • COMMIT = complete transaction • ROLLBACK = cancel all actions
  • 34. 34 Example • Suppose we want to transfer money from bank account 13 to account 72: PreparedStatement pstmt = con.prepareStatement("update BankAccount set amount = amount + ? where accountId = ?"); pstmt.setInt(1,-100); pstmt.setInt(2, 13); pstmt.executeUpdate(); pstmt.setInt(1, 100); pstmt.setInt(2, 72); pstmt.executeUpdate(); What happens if this update fails?
  • 35. 35 Transaction Management • Transactions are not explicitly opened and closed • The connection has a state called AutoCommit mode • if AutoCommit is true, then every statementis automatically committed • if AutoCommit is false, then every statement is added to an ongoing transaction • Default: true
  • 36. 36 AutoCommit • If you setAutoCommit to false, you must explicitlycommitor rollbackthe transactionusing Connection.commit() and Connection.rollback() • Note: DDL statements (e.g., creating/deletingtables)in a transactionmay be ignored or may cause a commit to occur • The behavior is DBMS dependent setAutoCommit(boolean val)
  • 37. 37 Scrollable ResultSet • Statement createStatement( int resultSetType, int resultSetConcurrency) •resultSetType: • ResultSet.TYPE_FORWARD_ONLY • -default; same as in JDBC 1.0 • -allows only forward movement of the cursor • -when rset.next() returnsfalse, the data is no longer available and the result set is closed.
  • 38. • ResultSet.TYPE_SCROLL_INSENSITIVE • -backwards, forwards, random cursormovement. • -changes made in the database are not seen in the result set object in Java memory. • ResultSetTYPE_SCROLL_SENSITIVE • -backwards, forwards, random cursormovement. • -changes made in the database are seen in the • result set object in Java memory. Scrollable ResultSet (cont’d)
  • 39. 39 Scrollable ResultSet (cont’d) • resultSetConcurrency: • ResultSet.CONCUR_READ_ONLY • This isthe default (and same as in JDBC 1.0) and allowsonly data to be read from the database. • ResultSet.CONCUR_UPDATABLE • This option allowsfor the Java program to make changesto the database based on newmethodsand positioning ability ofthe cursor. • Example: • Statement stmt = conn.createStatement( ResultSet.TYPE_SCROLL_INSENSITIVE, ResultSet.CONCUR_READ_ONLY); • ResultSetrset= stmt.executeQuery( “SHOW TABLES”);
  • 40. 40 Scrollable ResultSet (cont’d) public boolean absolute(int row) throws SQLException • -If the given row number is positive, this method moves the cursor to the given row number (with the first row numbered 1). • -If the row number is negative, the cursor moves to a relative positionfrom the last row. • -If the row number is 0, anSQLException will be raised. public boolean relative(int row) throws SQLException • This method callmoves the cursor a relative number of rows, either positive or negative.
  • 41. Scrollable ResultSet (cont’d) • An attempt to move beyond the last row (or before the first row) in the result set positions the cursor after the last row (or before the first row). public boolean first() throws SQLException public boolean last() throws SQLException public boolean previous() throws SQLException public boolean next() throws SQLException
  • 42. 42 Scrollable ResultSet (cont’d) public void beforeFirst() throws SQLException public void afterLast() throws SQLException public boolean isFirst() throws SQLException public boolean isLast() throws SQLException public boolean isAfterLast() throws SQLException public boolean isBeforeFirst() throws SQLException public int getRow() throws SQLException • getRow() methodretrieves the current row number: The first row is number 1, the secondnumber 2, andso on.