当你在网页搜索的时候就涉及到了数据库查询。如何用JDBK查询数据库呢?
Statement 接口可以将SQL语句发送给Connection,然后将结果返回给ResultSet.
ResultSet是结果集,
可以看作一个矩阵,他有指针。
如果调用next()方法,它的指针会往下移一行,并且有数据返回true,当返回faluse时就表示数据读完了。
除了next()方法,还有fist()方法会将指针指向第一个,last()方法指向最后一个。
有了指针,就可以获取元素。
getString(“name”)会获取name那一列的元素,列数必须大于0,getString(0)就会报错。
有了行和列就可以确定一个元素了
样例代码:
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.SQLException;
import com.mysql.jdbc.Statement;
public class Demo {
public static void main(String[] args) {
Connection connection = null;//链接接口
Statement statement = null;//发送sql接口
ResultSet result = null;//结果集接口
try {
Class.forName("com.mysql.jdbc.Driver");
String url = "jdbc:mysql://127.0.0.1:3306/test02";
String username = "root";
String password = "root";
connection = DriverManager.getConnection(url,username,password);
statement = (Statement) connection.createStatement();
result = statement.executeQuery("select * from tb_customer_info");
while (result.next()) {//下一行数据
int id = result.getInt("id");
String name = result.getString(2);
String sex = result.getString("sex");
System.out.println("id: "+id+" name: "+name+" sex: "+sex);
}
} catch (ClassNotFoundException | SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}finally {
//关闭和创建的顺序相反
if (result!=null) {
try {
result.close();
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
if(statement!=null){
try {
statement.close();
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
if(connection!=null){
try {
connection.close();
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
}
}