안녕하세요 MySQL 쿼리 브라우저에서 가능하더라도 현재 예외를 제공하므로 JDBC를 사용하여 이와 같은 것을 실행할 수 있는지 궁금합니다.
"SELECT FROM * TABLE;INSERT INTO TABLE;"
SQL 쿼리 문자열이 분할되고 문이 두 번 실행되는 것이 가능하다는 것을 알고 있지만 이에 대한 한 번의 접근 방식이 있는지 궁금합니다.
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 : (여러 쿼리를 허용하려면) :
연결 요청을 보내는 동안 allowMultiQueries=true
데이터베이스 URL에 연결 속성 을 추가해야합니다 . 이것은 사람들에게 추가 연결 속성이 경우 이미 일부 같은 존재이며 autoReConnect=true
, 대한 등 사용할 수있는 값 allowMultiQueries
속성이 있습니다 true
, false
, yes
,와 no
. 다른 값은 런타임시 SQLException
.
String dbUrl = "jdbc:mysql:///test?allowMultiQueries=true";
이러한 명령이 전달되지 않으면 SQLException
이 발생합니다.
execute( String sql )
쿼리 실행 결과를 가져 오려면 또는 다른 변형 을 사용해야 합니다.
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 : 따라야 할 단계 :
- 하나 이상의
select
및DML
쿼리를 사용 하여 프로 시저를 만듭니다 . - 을 사용하여 Java에서 호출하십시오
CallableStatement
. ResultSet
프로 시저에서 실행 된 여러 s 를 캡처 할 수 있습니다 .
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"
이것이 도움이되기를 바랍니다.
문안 인사,
글린
답변
내 테스트에 따르면 올바른 플래그는 “allowMultiQueries = true”입니다.
답변
Stored Procedure
이것 에 대해 시도하고 작성하지 않는 이유는 무엇 입니까?
당신은 Result Set
밖으로 얻을 수 있고 당신이 원하는 것을 똑같이 Stored Procedure
할 수 있습니다 Insert
.
유일한 것은 당신이에 새로 삽입 된 행을 얻지 못할 수도있다 Result Set
당신이 경우 Insert
애프터 Select
.
답변
이것이 다중 선택 / 업데이트 / 삽입 / 삭제를위한 가장 쉬운 방법이라고 생각합니다. executeUpdate (str)를 사용하여 선택 후 원하는만큼 업데이트 / 삽입 / 삭제를 실행할 수 있습니다 (먼저 선택 (필요한 경우 더미)) (new int (count1, count2, …) 사용) 새 선택이 필요한 경우 ‘문’과 ‘연결’을 닫고 다음 선택을 위해 새로 만드십시오. 예 :
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);
}
도움이 되길 바랍니다