Computer >> 컴퓨터 >  >> 프로그램 작성 >> MySQL

저장 프로시저란 무엇입니까? JDBC 프로그램을 사용하여 저장 프로시저를 호출하는 방법은 무엇입니까?

<시간/>

저장 프로시저는 SQL 카탈로그에 저장되는 SQL 문의 세그먼트인 서브 루틴입니다. 관계형 데이터베이스(Java, Python, PHP 등)에 액세스할 수 있는 모든 애플리케이션은 이러한 절차에 액세스할 수 있습니다.

저장 프로시저에는 IN 및 OUT 매개변수 또는 둘 다 포함됩니다. SELECT 문을 사용하는 경우 결과 집합을 반환할 수 있으며 여러 결과 집합을 반환할 수 있습니다.

예시

Dispatches라는 테이블이 있다고 가정합니다. 다음 데이터가 있는 MySQL 데이터베이스:

+--------------+------------------+------------------+------------------+
| Product_Name | Date_Of_Dispatch | Time_Of_Dispatch | Location         |
+--------------+------------------+------------------+------------------+
| KeyBoard     | 1970-01-19       | 08:51:36         | Hyderabad        |
| Earphones    | 1970-01-19       | 05:54:28         | Vishakhapatnam   |
| Mouse        | 1970-01-19       | 04:26:38         | Vijayawada       |
+--------------+------------------+------------------+------------------+

그리고 아래와 같이 이 테이블에서 값을 검색하기 위해 myProcedure라는 프로시저를 만든 경우:

Create procedure myProcedure ()
-> BEGIN
-> SELECT * from Dispatches;
-> END //

다음은 위에서 언급한 저장 프로시저를 JDBC 프로그램을 사용하여 호출하는 JDBC 예제입니다.

import java.sql.CallableStatement;
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.SQLException;
public class CallingProcedure {
   public static void main(String args[]) throws SQLException {
      //Registering the Driver
      DriverManager.registerDriver(new com.mysql.jdbc.Driver());

      //Getting the connection
      String mysqlUrl = "jdbc:mysql://localhost/sampleDB";
      Connection con = DriverManager.getConnection(mysqlUrl, "root", "password");
      System.out.println("Connection established......");
      //Preparing a CallableStateement
      CallableStatement cstmt = con.prepareCall("{call myProcedure()}");
      //Retrieving the result
      ResultSet rs = cstmt.executeQuery();
      while(rs.next()) {
         System.out.println("Product Name: "+rs.getString("Product_Name"));
         System.out.println("Date Of Dispatch: "+rs.getDate("Date_Of_Dispatch"));
         System.out.println("Date Of Dispatch: "+rs.getTime("Time_Of_Dispatch"));
         System.out.println("Location: "+rs.getString("Location"));
         System.out.println();
      }
   }
}

출력

Connection established......
Product Name: KeyBoard
Date of Dispatch: 1970-01-19
Time of Dispatch: 08:51:36
Location: Hyderabad

Product Name: Earphones
Date of Dispatch: 1970-01-19
Time of Dispatch: 05:54:28
Location: Vishakhapatnam

Product Name: Mouse
Date of Dispatch: 1970-01-19
Time of Dispatch: 04:26:38
Location: Vijayawada