SlideShare a Scribd company logo
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.
Ad

Recommended

Layouts in android
Layouts in android
Durai S
 
SQLite database in android
SQLite database in android
Gourav Kumar Saini
 
React + Redux Introduction
React + Redux Introduction
Nikolaus Graf
 
List in java
List in java
nitin kumar
 
JavaScript Promises
JavaScript Promises
L&T Technology Services Limited
 
Java - Generic programming
Java - Generic programming
Riccardo Cardin
 
Data Persistence in Android with Room Library
Data Persistence in Android with Room Library
Reinvently
 
Spring Framework - Core
Spring Framework - Core
Dzmitry Naskou
 
Solid Principles
Solid Principles
humayunlkhan
 
OOP with Java - Continued
OOP with Java - Continued
Hitesh-Java
 
React JS
React JS
Software Infrastructure
 
[Final] ReactJS presentation
[Final] ReactJS presentation
洪 鹏发
 
Java Swing
Java Swing
Arkadeep Dey
 
Spring annotation
Spring annotation
Rajiv Srivastava
 
React lecture
React lecture
Christoffer Noring
 
jpa-hibernate-presentation
jpa-hibernate-presentation
John Slick
 
Airflow를 이용한 데이터 Workflow 관리
Airflow를 이용한 데이터 Workflow 관리
YoungHeon (Roy) Kim
 
Java keywords
Java keywords
Ravi_Kant_Sahu
 
Modern Java web applications with Spring Boot and Thymeleaf
Modern Java web applications with Spring Boot and Thymeleaf
LAY Leangsros
 
Spring boot introduction
Spring boot introduction
Rasheed Waraich
 
REST APIs with Spring
REST APIs with Spring
Joshua Long
 
ReactJS presentation.pptx
ReactJS presentation.pptx
DivyanshGupta922023
 
Java Design Patterns Tutorial | Edureka
Java Design Patterns Tutorial | Edureka
Edureka!
 
React js programming concept
React js programming concept
Tariqul islam
 
Let's discover React and Redux with TypeScript
Let's discover React and Redux with TypeScript
Mathieu Savy
 
Rest API
Rest API
Rohana K Amarakoon
 
Implicit object.pptx
Implicit object.pptx
chakrapani tripathi
 
Introduction Ă  JPA (Java Persistence API )
Introduction Ă  JPA (Java Persistence API )
Daniel Rene FOUOMENE PEWO
 
Android app development - Java Programming for Android
Android app development - Java Programming for Android
OUM SAOKOSAL
 
Java OOP Programming language (Part 7) - Swing
Java OOP Programming language (Part 7) - Swing
OUM SAOKOSAL
 

More Related Content

What's hot (20)

Solid Principles
Solid Principles
humayunlkhan
 
OOP with Java - Continued
OOP with Java - Continued
Hitesh-Java
 
React JS
React JS
Software Infrastructure
 
[Final] ReactJS presentation
[Final] ReactJS presentation
洪 鹏发
 
Java Swing
Java Swing
Arkadeep Dey
 
Spring annotation
Spring annotation
Rajiv Srivastava
 
React lecture
React lecture
Christoffer Noring
 
jpa-hibernate-presentation
jpa-hibernate-presentation
John Slick
 
Airflow를 이용한 데이터 Workflow 관리
Airflow를 이용한 데이터 Workflow 관리
YoungHeon (Roy) Kim
 
Java keywords
Java keywords
Ravi_Kant_Sahu
 
Modern Java web applications with Spring Boot and Thymeleaf
Modern Java web applications with Spring Boot and Thymeleaf
LAY Leangsros
 
Spring boot introduction
Spring boot introduction
Rasheed Waraich
 
REST APIs with Spring
REST APIs with Spring
Joshua Long
 
ReactJS presentation.pptx
ReactJS presentation.pptx
DivyanshGupta922023
 
Java Design Patterns Tutorial | Edureka
Java Design Patterns Tutorial | Edureka
Edureka!
 
React js programming concept
React js programming concept
Tariqul islam
 
Let's discover React and Redux with TypeScript
Let's discover React and Redux with TypeScript
Mathieu Savy
 
Rest API
Rest API
Rohana K Amarakoon
 
Implicit object.pptx
Implicit object.pptx
chakrapani tripathi
 
Introduction Ă  JPA (Java Persistence API )
Introduction Ă  JPA (Java Persistence API )
Daniel Rene FOUOMENE PEWO
 
Solid Principles
Solid Principles
humayunlkhan
 
OOP with Java - Continued
OOP with Java - Continued
Hitesh-Java
 
[Final] ReactJS presentation
[Final] ReactJS presentation
洪 鹏发
 
jpa-hibernate-presentation
jpa-hibernate-presentation
John Slick
 
Airflow를 이용한 데이터 Workflow 관리
Airflow를 이용한 데이터 Workflow 관리
YoungHeon (Roy) Kim
 
Modern Java web applications with Spring Boot and Thymeleaf
Modern Java web applications with Spring Boot and Thymeleaf
LAY Leangsros
 
Spring boot introduction
Spring boot introduction
Rasheed Waraich
 
REST APIs with Spring
REST APIs with Spring
Joshua Long
 
Java Design Patterns Tutorial | Edureka
Java Design Patterns Tutorial | Edureka
Edureka!
 
React js programming concept
React js programming concept
Tariqul islam
 
Let's discover React and Redux with TypeScript
Let's discover React and Redux with TypeScript
Mathieu Savy
 
Introduction Ă  JPA (Java Persistence API )
Introduction Ă  JPA (Java Persistence API )
Daniel Rene FOUOMENE PEWO
 

Viewers also liked (20)

Android app development - Java Programming for Android
Android app development - Java Programming for Android
OUM SAOKOSAL
 
Java OOP Programming language (Part 7) - Swing
Java OOP Programming language (Part 7) - Swing
OUM SAOKOSAL
 
Java OOP Programming language (Part 6) - Abstract Class & Interface
Java OOP Programming language (Part 6) - Abstract Class & Interface
OUM SAOKOSAL
 
Java OOP Programming language (Part 4) - Collection
Java OOP Programming language (Part 4) - Collection
OUM SAOKOSAL
 
Java OOP Programming language (Part 5) - Inheritance
Java OOP Programming language (Part 5) - Inheritance
OUM SAOKOSAL
 
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with Examples
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with Examples
OUM SAOKOSAL
 
How to succeed in graduate school
How to succeed in graduate school
OUM SAOKOSAL
 
Java database connectivity
Java database connectivity
Vaishali Modi
 
Object+oriented+programming+in+java
Object+oriented+programming+in+java
Ye Win
 
Measuring And Defining The Experience Of Immersion In Games
Measuring And Defining The Experience Of Immersion In Games
OUM SAOKOSAL
 
Chapter 7 String
Chapter 7 String
OUM SAOKOSAL
 
ITS (Intelligent Teleportation System)
ITS (Intelligent Teleportation System)
OUM SAOKOSAL
 
Terminology In Telecommunication
Terminology In Telecommunication
OUM SAOKOSAL
 
Chapter 9 Interface
Chapter 9 Interface
OUM SAOKOSAL
 
Tutorial 1
Tutorial 1
Bible Tang
 
Kimchi Questionnaire
Kimchi Questionnaire
OUM SAOKOSAL
 
Actionscript 3 - Session 7 Other Note
Actionscript 3 - Session 7 Other Note
OUM SAOKOSAL
 
Beginners guide to creating mobile apps
Beginners guide to creating mobile apps
James Quick
 
Android App Development Tips for Beginners
Android App Development Tips for Beginners
Zoftino
 
Abstract Class Presentation
Abstract Class Presentation
tigerwarn
 
Android app development - Java Programming for Android
Android app development - Java Programming for Android
OUM SAOKOSAL
 
Java OOP Programming language (Part 7) - Swing
Java OOP Programming language (Part 7) - Swing
OUM SAOKOSAL
 
Java OOP Programming language (Part 6) - Abstract Class & Interface
Java OOP Programming language (Part 6) - Abstract Class & Interface
OUM SAOKOSAL
 
Java OOP Programming language (Part 4) - Collection
Java OOP Programming language (Part 4) - Collection
OUM SAOKOSAL
 
Java OOP Programming language (Part 5) - Inheritance
Java OOP Programming language (Part 5) - Inheritance
OUM SAOKOSAL
 
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with Examples
Javascript & DOM - Part 1- Javascript Tutorial for Beginners with Examples
OUM SAOKOSAL
 
How to succeed in graduate school
How to succeed in graduate school
OUM SAOKOSAL
 
Java database connectivity
Java database connectivity
Vaishali Modi
 
Object+oriented+programming+in+java
Object+oriented+programming+in+java
Ye Win
 
Measuring And Defining The Experience Of Immersion In Games
Measuring And Defining The Experience Of Immersion In Games
OUM SAOKOSAL
 
Chapter 7 String
Chapter 7 String
OUM SAOKOSAL
 
ITS (Intelligent Teleportation System)
ITS (Intelligent Teleportation System)
OUM SAOKOSAL
 
Terminology In Telecommunication
Terminology In Telecommunication
OUM SAOKOSAL
 
Chapter 9 Interface
Chapter 9 Interface
OUM SAOKOSAL
 
Tutorial 1
Tutorial 1
Bible Tang
 
Kimchi Questionnaire
Kimchi Questionnaire
OUM SAOKOSAL
 
Actionscript 3 - Session 7 Other Note
Actionscript 3 - Session 7 Other Note
OUM SAOKOSAL
 
Beginners guide to creating mobile apps
Beginners guide to creating mobile apps
James Quick
 
Android App Development Tips for Beginners
Android App Development Tips for Beginners
Zoftino
 
Abstract Class Presentation
Abstract Class Presentation
tigerwarn
 
Ad

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

Jdbc oracle
Jdbc oracle
yazidds2
 
JDBC – Java Database Connectivity
JDBC – Java Database Connectivity
Information Technology
 
4. Database Connectivity using JDBC .ppt
4. Database Connectivity using JDBC .ppt
HITENKHEMANI
 
Jdbc Java Programming
Jdbc Java Programming
chhaichivon
 
Java JDBC
Java JDBC
Jussi Pohjolainen
 
Jdbc
Jdbc
Jussi Pohjolainen
 
Jdbc presentation
Jdbc presentation
nrjoshiee
 
JDBC Connecticity.ppt
JDBC Connecticity.ppt
Swapnil Kale
 
3 database-jdbc(1)
3 database-jdbc(1)
hameedkhan2017
 
Jdbc
Jdbc
mishaRani1
 
Java database connectivity notes for undergraduate
Java database connectivity notes for undergraduate
RameshPrasadBhatta2
 
1586279370_Bsc(P)-VI-InternetTechnologies-3.pdf
1586279370_Bsc(P)-VI-InternetTechnologies-3.pdf
RoopaRathod2
 
Presentation for java data base connectivity
Presentation for java data base connectivity
kanjariya006
 
Jdbc[1]
Jdbc[1]
Fulvio Corno
 
JDBC programming
JDBC programming
Fulvio Corno
 
jdbc_presentation.ppt
jdbc_presentation.ppt
DrMeenakshiS
 
statement interface
statement interface
khush_boo31
 
Jdbc
Jdbc
lathasiva
 
java arlow jdbc tutorial(java programming tutorials)
java arlow jdbc tutorial(java programming tutorials)
Daroko blog(www.professionalbloggertricks.com)
 
Jdbc (database in java)
Jdbc (database in java)
Maher Abdo
 
Jdbc oracle
Jdbc oracle
yazidds2
 
JDBC – Java Database Connectivity
JDBC – Java Database Connectivity
Information Technology
 
4. Database Connectivity using JDBC .ppt
4. Database Connectivity using JDBC .ppt
HITENKHEMANI
 
Jdbc Java Programming
Jdbc Java Programming
chhaichivon
 
Jdbc presentation
Jdbc presentation
nrjoshiee
 
JDBC Connecticity.ppt
JDBC Connecticity.ppt
Swapnil Kale
 
3 database-jdbc(1)
3 database-jdbc(1)
hameedkhan2017
 
Java database connectivity notes for undergraduate
Java database connectivity notes for undergraduate
RameshPrasadBhatta2
 
1586279370_Bsc(P)-VI-InternetTechnologies-3.pdf
1586279370_Bsc(P)-VI-InternetTechnologies-3.pdf
RoopaRathod2
 
Presentation for java data base connectivity
Presentation for java data base connectivity
kanjariya006
 
JDBC programming
JDBC programming
Fulvio Corno
 
jdbc_presentation.ppt
jdbc_presentation.ppt
DrMeenakshiS
 
statement interface
statement interface
khush_boo31
 
Jdbc (database in java)
Jdbc (database in java)
Maher Abdo
 
Ad

More from OUM SAOKOSAL (20)

Class Diagram | OOP and Design Patterns by Oum Saokosal
Class Diagram | OOP and Design Patterns by Oum Saokosal
OUM SAOKOSAL
 
Java OOP Programming language (Part 3) - Class and Object
Java OOP Programming language (Part 3) - Class and Object
OUM SAOKOSAL
 
Java OOP Programming language (Part 1) - Introduction to Java
Java OOP Programming language (Part 1) - Introduction to Java
OUM SAOKOSAL
 
Aggregate rank bringing order to web sites
Aggregate rank bringing order to web sites
OUM SAOKOSAL
 
Google
Google
OUM SAOKOSAL
 
E miner
E miner
OUM SAOKOSAL
 
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...
OUM SAOKOSAL
 
When Do People Help
When Do People Help
OUM SAOKOSAL
 
Mc Nemar
Mc Nemar
OUM SAOKOSAL
 
Correlation Example
Correlation Example
OUM SAOKOSAL
 
Sem Ski Amos
Sem Ski Amos
OUM SAOKOSAL
 
Sem+Essentials
Sem+Essentials
OUM SAOKOSAL
 
Path Spss Amos (1)
Path Spss Amos (1)
OUM SAOKOSAL
 
How To Succeed In Graduate School
How To Succeed In Graduate School
OUM SAOKOSAL
 
Actionscript 3 - Session 4 Core Concept
Actionscript 3 - Session 4 Core Concept
OUM SAOKOSAL
 
Actionscript 3 - Session 3 Action Script And Flash
Actionscript 3 - Session 3 Action Script And Flash
OUM SAOKOSAL
 
Actionscript 3 - Session 1 Introduction To As 3
Actionscript 3 - Session 1 Introduction To As 3
OUM SAOKOSAL
 
Actionscript 3 - Session 5 The Display Api And The Display List
Actionscript 3 - Session 5 The Display Api And The Display List
OUM SAOKOSAL
 
Actionscript 3 - Session 6 Interactivity
Actionscript 3 - Session 6 Interactivity
OUM SAOKOSAL
 
Class Diagram | OOP and Design Patterns by Oum Saokosal
Class Diagram | OOP and Design Patterns by Oum Saokosal
OUM SAOKOSAL
 
Java OOP Programming language (Part 3) - Class and Object
Java OOP Programming language (Part 3) - Class and Object
OUM SAOKOSAL
 
Java OOP Programming language (Part 1) - Introduction to Java
Java OOP Programming language (Part 1) - Introduction to Java
OUM SAOKOSAL
 
Aggregate rank bringing order to web sites
Aggregate rank bringing order to web sites
OUM SAOKOSAL
 
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...
OUM SAOKOSAL
 
When Do People Help
When Do People Help
OUM SAOKOSAL
 
Correlation Example
Correlation Example
OUM SAOKOSAL
 
Sem Ski Amos
Sem Ski Amos
OUM SAOKOSAL
 
Sem+Essentials
Sem+Essentials
OUM SAOKOSAL
 
Path Spss Amos (1)
Path Spss Amos (1)
OUM SAOKOSAL
 
How To Succeed In Graduate School
How To Succeed In Graduate School
OUM SAOKOSAL
 
Actionscript 3 - Session 4 Core Concept
Actionscript 3 - Session 4 Core Concept
OUM SAOKOSAL
 
Actionscript 3 - Session 3 Action Script And Flash
Actionscript 3 - Session 3 Action Script And Flash
OUM SAOKOSAL
 
Actionscript 3 - Session 1 Introduction To As 3
Actionscript 3 - Session 1 Introduction To As 3
OUM SAOKOSAL
 
Actionscript 3 - Session 5 The Display Api And The Display List
Actionscript 3 - Session 5 The Display Api And The Display List
OUM SAOKOSAL
 
Actionscript 3 - Session 6 Interactivity
Actionscript 3 - Session 6 Interactivity
OUM SAOKOSAL
 

Recently uploaded (20)

2025_06_18 - OpenMetadata Community Meeting.pdf
2025_06_18 - OpenMetadata Community Meeting.pdf
OpenMetadata
 
Connecting Data and Intelligence: The Role of FME in Machine Learning
Connecting Data and Intelligence: The Role of FME in Machine Learning
Safe Software
 
From Manual to Auto Searching- FME in the Driver's Seat
From Manual to Auto Searching- FME in the Driver's Seat
Safe Software
 
Smarter Aviation Data Management: Lessons from Swedavia Airports and Sweco
Smarter Aviation Data Management: Lessons from Swedavia Airports and Sweco
Safe Software
 
Python Conference Singapore - 19 Jun 2025
Python Conference Singapore - 19 Jun 2025
ninefyi
 
Cracking the Code - Unveiling Synergies Between Open Source Security and AI.pdf
Cracking the Code - Unveiling Synergies Between Open Source Security and AI.pdf
Priyanka Aash
 
Quantum AI: Where Impossible Becomes Probable
Quantum AI: Where Impossible Becomes Probable
Saikat Basu
 
PyCon SG 25 - Firecracker Made Easy with Python.pdf
PyCon SG 25 - Firecracker Made Easy with Python.pdf
Muhammad Yuga Nugraha
 
Database Benchmarking for Performance Masterclass: Session 2 - Data Modeling ...
Database Benchmarking for Performance Masterclass: Session 2 - Data Modeling ...
ScyllaDB
 
The Growing Value and Application of FME & GenAI
The Growing Value and Application of FME & GenAI
Safe Software
 
Coordinated Disclosure for ML - What's Different and What's the Same.pdf
Coordinated Disclosure for ML - What's Different and What's the Same.pdf
Priyanka Aash
 
Cyber Defense Matrix Workshop - RSA Conference
Cyber Defense Matrix Workshop - RSA Conference
Priyanka Aash
 
Using the SQLExecutor for Data Quality Management: aka One man's love for the...
Using the SQLExecutor for Data Quality Management: aka One man's love for the...
Safe Software
 
"Database isolation: how we deal with hundreds of direct connections to the d...
"Database isolation: how we deal with hundreds of direct connections to the d...
Fwdays
 
"How to survive Black Friday: preparing e-commerce for a peak season", Yurii ...
"How to survive Black Friday: preparing e-commerce for a peak season", Yurii ...
Fwdays
 
“MPU+: A Transformative Solution for Next-Gen AI at the Edge,” a Presentation...
“MPU+: A Transformative Solution for Next-Gen AI at the Edge,” a Presentation...
Edge AI and Vision Alliance
 
Mastering AI Workflows with FME by Mark Döring
Mastering AI Workflows with FME by Mark Döring
Safe Software
 
UserCon Belgium: Honey, VMware increased my bill
UserCon Belgium: Honey, VMware increased my bill
stijn40
 
OpenACC and Open Hackathons Monthly Highlights June 2025
OpenACC and Open Hackathons Monthly Highlights June 2025
OpenACC
 
You are not excused! How to avoid security blind spots on the way to production
You are not excused! How to avoid security blind spots on the way to production
Michele Leroux Bustamante
 
2025_06_18 - OpenMetadata Community Meeting.pdf
2025_06_18 - OpenMetadata Community Meeting.pdf
OpenMetadata
 
Connecting Data and Intelligence: The Role of FME in Machine Learning
Connecting Data and Intelligence: The Role of FME in Machine Learning
Safe Software
 
From Manual to Auto Searching- FME in the Driver's Seat
From Manual to Auto Searching- FME in the Driver's Seat
Safe Software
 
Smarter Aviation Data Management: Lessons from Swedavia Airports and Sweco
Smarter Aviation Data Management: Lessons from Swedavia Airports and Sweco
Safe Software
 
Python Conference Singapore - 19 Jun 2025
Python Conference Singapore - 19 Jun 2025
ninefyi
 
Cracking the Code - Unveiling Synergies Between Open Source Security and AI.pdf
Cracking the Code - Unveiling Synergies Between Open Source Security and AI.pdf
Priyanka Aash
 
Quantum AI: Where Impossible Becomes Probable
Quantum AI: Where Impossible Becomes Probable
Saikat Basu
 
PyCon SG 25 - Firecracker Made Easy with Python.pdf
PyCon SG 25 - Firecracker Made Easy with Python.pdf
Muhammad Yuga Nugraha
 
Database Benchmarking for Performance Masterclass: Session 2 - Data Modeling ...
Database Benchmarking for Performance Masterclass: Session 2 - Data Modeling ...
ScyllaDB
 
The Growing Value and Application of FME & GenAI
The Growing Value and Application of FME & GenAI
Safe Software
 
Coordinated Disclosure for ML - What's Different and What's the Same.pdf
Coordinated Disclosure for ML - What's Different and What's the Same.pdf
Priyanka Aash
 
Cyber Defense Matrix Workshop - RSA Conference
Cyber Defense Matrix Workshop - RSA Conference
Priyanka Aash
 
Using the SQLExecutor for Data Quality Management: aka One man's love for the...
Using the SQLExecutor for Data Quality Management: aka One man's love for the...
Safe Software
 
"Database isolation: how we deal with hundreds of direct connections to the d...
"Database isolation: how we deal with hundreds of direct connections to the d...
Fwdays
 
"How to survive Black Friday: preparing e-commerce for a peak season", Yurii ...
"How to survive Black Friday: preparing e-commerce for a peak season", Yurii ...
Fwdays
 
“MPU+: A Transformative Solution for Next-Gen AI at the Edge,” a Presentation...
“MPU+: A Transformative Solution for Next-Gen AI at the Edge,” a Presentation...
Edge AI and Vision Alliance
 
Mastering AI Workflows with FME by Mark Döring
Mastering AI Workflows with FME by Mark Döring
Safe Software
 
UserCon Belgium: Honey, VMware increased my bill
UserCon Belgium: Honey, VMware increased my bill
stijn40
 
OpenACC and Open Hackathons Monthly Highlights June 2025
OpenACC and Open Hackathons Monthly Highlights June 2025
OpenACC
 
You are not excused! How to avoid security blind spots on the way to production
You are not excused! How to avoid security blind spots on the way to production
Michele Leroux Bustamante
 

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 [email protected]
  • 2. Contact Me • Tel: 012 252 752 / 070 252 752 • Email: [email protected] • 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.