我正在实现一个对mysql 数据库执行基本查询的应用程序,例如更新、插入、删除。而且我想知道在连接查询字符串时是否有人像我一样偏执,所以他们编写了抽象方法来执行此操作,以便它适用于所有表并避免简单的拼写错误。
这是我避免连接中严重错误的方法,但我想看看其他人也做了什么来拓宽我的方法。
这是我的伪代码方法;
假设我有一个名为 ACC 的 mysql 表,其中包含以下列:
acc_no (primary key) | acc_first_name | acc_last_name
123 |John | Smith
然后我实现了一个java抽象类
public abstract class Acc{
// All column values in the table Acc as constants
public static final String NUM = "acc_no";
public static final String FIRST_NAME = "acc_first_name";
public static final String LAST_NAME = "acc_last_name";
private Hashtable<String, String> hash = new Hashtable<String, String>();
public Acc(Connection con, String acc_no){
// Get values from mysql
PreparedStatement pstmt = ...SELECT * FROM ACC where ACC_NO = acc_no ....
ResultSet rs = resultset from pstmt
//Then put all the resultset rs values in hash so the hashtable have key/values
//that look something like this:
//[[NUM, "123"]
// [FIRST_NAME, "John"]
// [LAST_NAME, "Smith"]]
// The key is one of the constants in this class
// and the corresponding values are taken from mysql database
}
public String get(String column){
return hash.get(column)
}
}
因此,当您想从扩展它的类中访问表中的值时,它将类似于
class AccApp extends Acc{
AccApp(Connection con){
super(con, "123")
printName();
}
String printName(){
// Notice that I use static constants to get the column values
// instead of typing this.get("acc_first_name") and this.get("acc_last_name")
System.out.println(this.get(Acc.FIRST_NAME) + this.get(Acc.LAST_NAME));
}
}