我正在学习Java,我现在正在学习JDBC。我想我已经掌握了如何使用结果集对象,但我想确保我做得对。
请参阅下面的代码。它在名为“restaurant”的数据库中查询名为“menu”的表。该表有四列:
这是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;
}
此代码有效。我最终得到了一个menuItem的ArrayList,因此每个元素对应于表中的一行。但这是最好的方法吗?我可以将其概括为处理ResultSet的方法吗?
对于数据库中的每个表或视图,创建一个Java类,其属性等于表的列。
将表内容加载到ResultSet对象中。
使用 while(ResultSet.next())迭代ResultSet,在步骤1中为ResultSet中的每个项创建一个新对象(来自类)。
在创建每个新对象时,将其添加到类的ArrayList中。
根据需要操作ArrayList。
这是一种有效的方法吗?有没有更好的方法呢?
答案 0 :(得分:5)
代码逻辑很好,但实现有几个问题:
select *
是一种不好的做法。选择所需的列,而不是所有列。我不会概括每个表创建一个类。很多时候,您不会查询单个表中的所有列,而是查询几个连接表的某些列。
我还会考虑使用ORM(JPA)而不是使用JDBC。这将使您的代码更清晰,更简洁,更易读,更安全。