이를 위해 Java에서 PrepareStatement를 사용할 수 있습니다. 다음은 구문입니다 -
String anyVariableName="select yourColumnName from yourTableName where name = ?"; PreparedStatement ps = (PreparedStatement) con.prepareStatement(yourVariableName); ps.setString(yourColumnIndex, yourValue);
테이블을 만들어 봅시다 -
mysql> create table demo37 −> ( −> id int not null auto_increment primary key, −> name varchar(200) −> ); Query OK, 0 rows affected (2.46 sec)
insert 명령을 사용하여 일부 레코드를 테이블에 삽입하십시오 -
mysql> insert into demo37(name) values('John'); Query OK, 1 row affected (0.09 sec) mysql> insert into demo37(name) values('Bob'); Query OK, 1 row affected (0.08 sec) mysql> insert into demo37(name) values('John'); Query OK, 1 row affected (0.09 sec) mysql> insert into demo37(name) values('Chris'); Query OK, 1 row affected (0.08 sec) mysql> insert into demo37(name) values('David'); Query OK, 1 row affected (0.12 sec) mysql> insert into demo37(name) values('John'); Query OK, 1 row affected (0.13 sec) mysql> insert into demo37(name) values('Mike'); Query OK, 1 row affected (0.09 sec)
select 문을 사용하여 테이블의 레코드 표시 -/p>
mysql> select *from demo37;
이것은 다음과 같은 출력을 생성합니다 -
+----+-------+ | id | name | +----+-------+ | 1 | John | | 2 | Bob | | 3 | John | | 4 | Chris | | 5 | David | | 6 | John | | 7 | Mike | +----+-------+ 7 rows in set (0.00 sec)
예시
다음은 PrepareStatement에 대한 Java 코드입니다 -
import java.sql.Connection; import java.sql.DriverManager; import java.sql.PreparedStatement; import java.sql.ResultSet; public class PrepareStatementDemo { public static void main(String[] args) { Connection con = null; try { Class.forName("com.mysql.jdbc.Driver"); con = DriverManager.getConnection("jdbc:mysql://localhost:3306/sampledatabase", "root", "123456"); String query = "select name from demo37 where name = ?"; PreparedStatement ps = (PreparedStatement) con.prepareStatement(query); ps.setString(1, "John"); ResultSet rs = ps.executeQuery(); while (rs.next()) { System.out.println(rs.getString(1)); } } catch (Exception e) { e.printStackTrace(); } } }
출력
이것은 다음과 같은 출력을 생성합니다 -
John John John
다음은 출력의 스냅샷입니다 -