|
Develop a JDBC application, the basic needs of the following steps:
1. The JDBC driver class is loaded into the JAVA virtual machine. Use the static method forName java.lang.Class class (String className) implementation.
Example: Class.forName ( "JDBC driver class name")
2. load the driver, and establishes a connection to the database. DriverManager class followed by a registered driver, when we call the getConnection () method, which will traverse the list of drivers until a match on the connection string to connect to the data specified in the driver database, after loading the driver, use getConnection method of the DriverManager class to establish a connection between the database.
example:
Connection con = DriverManager.getConnection (database connection string, database user name, password)
3. Send the SQL statement and get the result set. Create a Statement interface instance and SQL statements to the database it is connected.
Statement instance is divided into three types:
(1) executing a static SQL statements. Usually achieved by Statement instance.
(2) execute dynamic SQL statements. Typically implemented by PreparedStatement instance.
(3) the implementation of database stored procedures. Usually through CallableStatement instance.
example:
Statement stmt = con.createStatement ();
ResultSet rs = stmt.executeQuery ( "select * from table1");
Statement interface provides three methods execute SQL statements: executeQuery, executeUpdate, execute statement.
ResultSet executeQuery (String sqlString): execute SQL statements to query the database and returns a result set (ResultSet) object.
int executeUpdate (String sqlString): used to execute INSERT, UPDATE, or DELETE statements as well as SQL DDL statements, such as: CREATE TABLE and DROP TABLE, etc.
execute (sqlString): used to perform return multiple result sets, count, or a combination of both multiple update statements.
example:
ResultSet rs = stmt.executeQuery ( "SELECT * FROM ...");
int rows = stmt.executeUpdate ( "INSERT INTO ...");
boolean flag = stmt.execute (String sql);
4. results. Results are divided into two situations:
(1) to perform the update returns this number of records affected by the operation.
Results (2) to execute the query returns a ResultSet object.
example:
while (rs.next ()) {
int x = rs.getInt ( "a");
String s = rs.getString ( "b");
float f = rs.getFloat ( "c");
}
5. Close the JDBC objects
After the operation is complete, close all JDBC objects to be used to release JDBC resources, closed in reverse order and declaration order.
(1) off the record set
(2) Close Statement
(3) close the connection object
if (rs! = null) {// set off the record
try {
rs.close ();
} Catch (SQLException e) {
e.printStackTrace ();
}
}
if (stmt! = null) {// Close Statement
try {
stmt.close ();
} Catch (SQLException e) {
e.printStackTrace ();
}
}
if (conn! = null) {// Close the connection object
try {
conn.close ();
} Catch (SQLException e) {
e.printStackTrace ();
}
} |
|
|
|