QN042. Write a program which connects with mysql database.


1. Objective

To write a program which connects with mysql database.

2. Theory

JDBC stands for Java Databse Connectivity. JDBC is a java API to connect and execute the query with the database. It is a part of JAVASE (Java Standard Edition). JDBC API uses JDBC drivers to connect with the database. There are four types of JDBC drivers. They are:
i. JDBC-ODBC Bridge Driver,
ii. Native Driver,
iii. Network Protocal Driver and
iv. Thin Driver

There are 5 steps to connect any java application with the databse using JDBC. There steps are as follows.

  1. Register the Driver Class
  2. Create Connection
  3. Create Statement
  4. Execute queries
  5. Close Connection
1. Register the Driver Class
The forName() method of Class class is used to register the driver class. This method is used to dynamically load the driver class.
Syntax:
public static void forName(String className) throws classNotFoundException
2. Create Connection
The getConnection() method of DriverManager class is used to establish connection with the database.
Syntax:
puclic static Connection getConnection(String url, String name, String password) throws SQLException
For example:
Connection con = DriverManager.getConnection("jdbc:mysql://localhost:3306/bca_third?","root","");
3. Create Statement
The createStatement() method of Connection interface is used to create statement. The object of statement is responsible to execute queries with the database.
Syntax:
public Statement createStatement() throws SQLException
For example:
Statement stmt = con.createStatement();
4. Execute queries
The executeQuery() method of staement interface is used to execute queries to the database. This method returns the object of ResultSet that can be used to get alll the records of a table.
Syntax:
public ResultSet executeQuery(String sql) throws SQLException
For example:
ResultSet rs = stmt.executeQuery("SELECT * FROM student");
while(rs.next()){
System.out.println(rs.getString("roll_no"));
}
5. Close Connection
By closing connection object statement and ResultSet will be closed automatically. The close() method of Connection interface is used to close the connection.
Syntax:
public void close() throws SQLException
For example:
con.close();

3. Source Code
import java.sql.*;
class JDBC42{
  public static void main(String[] args){
   try{
    Class.forName("com.mysql.cj.jdbc.Driver");
    String url = "jdbc:mysql://localhost:3306/bca_third_2020?serverTimezone=UTC";
    String un = "root";
    String pw = "";
    Connection cn = DriverManager.getConnection(url,un,pw);
    System.out.println("Connected!");
   }catch(Exception e){
    System.out.println(e);
    }
  }
 }
4. Output

Connected!

5. Conclusion

In this way, I would like to conclude that, we can connect to mysql database using this program.