我正在学习 Java,我现在正在学习 JDBC。我想我已经掌握了如何使用结果集对象,但我想确保我做对了。
请参阅下面的代码。它在名为“restaurant”的数据库中查询名为“menu”的表。该表有四列:
- id_menu 整数,表的主键。
- name字符串,菜单项的名称(例如“双芝士汉堡”)
- descr字符串,菜单项的描述(例如“全麦面包上的两个全牛肉馅饼。”)
- price双倍,商品的价格(例如 5.95)(注意我知道我可以使用 Money 类型,但我尽量保持简单)
这是 menuItem 对象的 Java 代码。表中的每一行都应该用于创建一个 menuItem 对象:
public class menuItem {
public int id = 0;
public String descr = "";
public Double price = 0.0;
public String name = "";
public menuItem(int newid, String newdescr, Double newprice, String newname){
id = newid;
descr = newdescr;
price = newprice;
name = newname;
}
}
一切都是公开的,只是为了简化这个练习。
这是填充数据库的代码。目前,这段代码是主类中的一个方法。
public static ArrayList<menuItem> reQuery() throws ClassNotFoundException, InstantiationException, IllegalAccessException, SQLException{
ArrayList<menuItem> mi = new ArrayList<menuItem>();
//Step 1. User Class.forname("").newInstance() to load the database driver.
Class.forName("com.mysql.jdbc.Driver").newInstance();
//Step 2. Create a connection object with DriverManager.getConnection("")
//Syntax is jdbc:mysql://server/database? + user=username&password=password
Connection conn = DriverManager.getConnection("jdbc:mysql://localhost/miguelel_deliveries?" + "user=root&password=");
//Step 3. Create a statement object with connection.createStatement();
Statement stmt = conn.createStatement();
//Step 4. Create variables and issue commands with the Statement object.
ResultSet rs = stmt.executeQuery("Select * from menu");
//Step 5. Iterate through the ResultSet. Add a new menuItem object to mi for each item.
while(rs.next()){
menuItem item = new menuItem(rs.getInt("id_menu"),rs.getString("descr"),rs.getDouble("price"),rs.getString("name"));
mi.add(item);
}
return mi;
}
此代码有效。我最终得到了一个菜单项的 ArrayList,因此每个元素对应于表中的一行。但这是最好的方法吗?我可以将其概括为一种处理结果集的方式吗?
对于数据库中的每个表或视图,创建一个具有与表的列等效的属性的 Java 类。
将表内容加载到 ResultSet 对象中。
使用while(ResultSet.next())遍历 ResultSet,在步骤 1 中为 ResultSet 中的每个项目创建一个新对象(来自类)。
在创建每个新对象时,将其添加到类的 ArrayList 中。
根据需要操作 ArrayList。
这是一种有效的方法吗?有更好的方法吗?