IT

단일 스테이트먼트에서 Java로 실행된 여러 쿼리

itgroup 2022. 12. 27. 21:14
반응형

단일 스테이트먼트에서 Java로 실행된 여러 쿼리

안녕하세요. 현재 MySQL 쿼리 브라우저에서는 가능하지만 JDBC를 사용하여 실행할 수 있는지 궁금합니다.

"SELECT FROM * TABLE;INSERT INTO TABLE;"

SQL 쿼리 스트링을 분할하여 스테이트먼트를 2회 실행하는 것이 가능한 것은 알고 있습니다만, 1회성 어프로치가 있는지 궁금합니다.

    String url = "jdbc:mysql://localhost:3306/";
    String dbName = "databaseinjection";
    String driver = "com.mysql.jdbc.Driver";
    String sqlUsername = "root"; 
    String sqlPassword = "abc";

    Class.forName(driver).newInstance();

    connection = DriverManager.getConnection(url+dbName, sqlUsername, sqlPassword);

JDBC를 사용하여 이러한 작업을 수행할 수 있는지 궁금합니다.

"SELECT FROM * TABLE;INSERT INTO TABLE;"

네, 가능합니다.제가 알기로는 두 가지 방법이 있습니다.그들은 그렇다.

  1. 기본적으로 세미콜론으로 구분된 여러 쿼리를 허용하도록 데이터베이스 연결 속성을 설정합니다.
  2. 암시적으로 커서를 반환하는 저장 프로시저를 호출합니다.

다음 예시는 위의 두 가지 가능성을 보여줍니다.

1: (여러 쿼리를 허용하려면 ):

요구를 는, 「」을 가 있습니다.allowMultiQueries=true【URL】【URL】은 이미 를 들어, 접속 속성입니다.autoReConnect=true, etc.에되는 " ". "allowMultiQueries이 있다true,false,yes , , , , 입니다.no 시 됩니다.SQLException

String dbUrl = "jdbc:mysql:///test?allowMultiQueries=true";  

한, 「 」는 「 」입니다.SQLException집니니다

쿼리 실행 결과를 가져오려면 또는 다른 변형을 사용해야 합니다.

boolean hasMoreResultSets = stmt.execute( multiQuerySqlString );

결과를 반복하고 처리하려면 다음 단계가 필요합니다.

READING_QUERY_RESULTS: // label  
    while ( hasMoreResultSets || stmt.getUpdateCount() != -1 ) {  
        if ( hasMoreResultSets ) {  
            Resultset rs = stmt.getResultSet();
            // handle your rs here
        } // if has rs
        else { // if ddl/dml/...
            int queryResult = stmt.getUpdateCount();  
            if ( queryResult == -1 ) { // no more queries processed  
                break READING_QUERY_RESULTS;  
            } // no more queries processed  
            // handle success, failure, generated keys, etc here
        } // if ddl/dml/...

        // check to continue in the loop  
        hasMoreResultSets = stmt.getMoreResults();  
    } // while results

2: 다음 절차:

  1. .select , , , , 입니다.DML의합니니다다
  2. 에서 Java를 합니다.CallableStatement.
  3. 개의 합니다.ResultSet스스 스스 스님무리 스님
    수 DML을 할 수 .select
    표에 있는 행이 어떻게 영향을 받는지 확인합니다.

샘플 테이블절차:

mysql> create table tbl_mq( i int not null auto_increment, name varchar(10), primary key (i) );
Query OK, 0 rows affected (0.16 sec)

mysql> delimiter //
mysql> create procedure multi_query()
    -> begin
    ->  select count(*) as name_count from tbl_mq;
    ->  insert into tbl_mq( names ) values ( 'ravi' );
    ->  select last_insert_id();
    ->  select * from tbl_mq;
    -> end;
    -> //
Query OK, 0 rows affected (0.02 sec)
mysql> delimiter ;
mysql> call multi_query();
+------------+
| name_count |
+------------+
|          0 |
+------------+
1 row in set (0.00 sec)

+------------------+
| last_insert_id() |
+------------------+
|                3 |
+------------------+
1 row in set (0.00 sec)

+---+------+
| i | name |
+---+------+
| 1 | ravi |
+---+------+
1 row in set (0.00 sec)

Query OK, 0 rows affected (0.00 sec)

Java로부터의 콜 순서:

CallableStatement cstmt = con.prepareCall( "call multi_query()" );  
boolean hasMoreResultSets = cstmt.execute();  
READING_QUERY_RESULTS:  
    while ( hasMoreResultSets ) {  
        Resultset rs = stmt.getResultSet();
        // handle your rs here
    } // while has more rs

배치 업데이트를 사용할 수 있지만 쿼리는 작업(즉, 삽입, 업데이트 및 삭제) 쿼리여야 합니다.

Statement s = c.createStatement();
String s1 = "update emp set name='abc' where salary=984";
String s2 = "insert into emp values ('Osama',1420)";  
s.addBatch(s1);
s.addBatch(s2);     
s.executeBatch();

힌트: 둘 이상의 연결 속성이 있는 경우 다음과 같이 구분합니다.

&

다음과 같은 정보를 제공하려면:

url="jdbc:mysql://localhost/glyndwr?autoReconnect=true&allowMultiQueries=true"

이게 도움이 됐으면 좋겠네요.

안부 전해요,

글린

테스트 결과 올바른 플래그는 "allow MultiQueries=true"입니다.

써보세요.Stored Procedure★★★★★★★★★★★★★★★★?

해서 얻을 수 요.Result Set 및 same(동일)에Stored Procedure 하면 돼요.Insert당신이 원하는 것.

단, 새로 삽입된 행이Result Set네가 만약Insert그 후Select.

이것이 멀티 선택/업데이트/삽입/삭제를 위한 가장 쉬운 방법이라고 생각합니다.executeUpdate(str)를 사용하여 선택한 후 원하는 개수만큼 업데이트/삽입/삭제를 실행할 수 있습니다(필요에 따라 먼저 선택(더미를 작성해야 함). (새로운 int(count1, count2, ...)를 사용하세요.) 그리고 새로운 선택이 필요한 경우 'statement'와 'connection'을 닫고 다음 선택을 위해 새로 만듭니다.예를 들어 다음과 같습니다.

String str1 = "select * from users";
String str9 = "INSERT INTO `port`(device_id, potition, port_type, di_p_pt) VALUE ('"+value1+"', '"+value2+"', '"+value3+"', '"+value4+"')";
String str2 = "Select port_id from port where device_id = '"+value1+"' and potition = '"+value2+"' and port_type = '"+value3+"' ";
try{  
    Class.forName("com.mysql.jdbc.Driver").newInstance();
    theConnection=(Connection) DriverManager.getConnection(dbURL,dbuser,dbpassword);  
    theStatement = theConnection.prepareStatement(str1);
    ResultSet theResult = theStatement.executeQuery();
    int count8 = theStatement.executeUpdate(str9);
    theStatement.close();
    theConnection.close();
    theConnection=DriverManager.getConnection(dbURL,dbuser,dbpassword);
    theStatement = theConnection.prepareStatement(str2);
    theResult = theStatement.executeQuery();

    ArrayList<Port> portList = new ArrayList<Port>();
    while (theResult.next()) {
        Port port = new Port();
        port.setPort_id(theResult.getInt("port_id"));

        portList.add(port);
    }

도움이 되었으면 좋겠다

언급URL : https://stackoverflow.com/questions/10797794/multiple-queries-executed-in-java-in-single-statement

반응형