我创建了一个名为client
的新bean,其中包含Id
,Name
,LastName
和Address
字段。我当然创造了模型和视图。我的模型返回所有客户端的列表。这个工作正常。
但我需要一个模型,我只能选择一个按Id
过滤的特定客户端。任何人都可以告诉我在这个模型中我需要更改什么(除了SQL语句)所以我根据SQL的过滤器(id)标准只得到一个客户端?
{
Connection connection = getDatabaseConnection();
request.setAttribute("clientList", getClientList(connection));
closeDatabaseConnection(connection);
}
private ArrayList<Client> getClientList(Connection con)
{
String sqlstr = "SELECT * FROM Clients";
PreparedStatement stmt = null;
ResultSet rs = null;
ArrayList<Client> clients = new ArrayList<Client>();
try
{
stmt = con.prepareStatement(sqlStr);
rs = stmt.executeQuery();
while (rs.next())
{
Client client = new Client();
client.setId(rs.getInt("Id"));
client.setName(rs.getString("Name"));
client.setLastName(rs.getString("LastName"));
client.setAddress(rs.getString("Address"));
clients.add(client);
}
rs.close();
stmt.close();
}
catch (SQLException sqle)
{
sqle.printStackTrace();
}
finally
{
return clients;
}
}
答案 0 :(得分:0)
除了sql语句之外你的意思是什么?你必须在查询中添加一个where子句。我认为不可能有任何其他情况。
答案 1 :(得分:0)
好吧,我猜你已经有了一个类,你可以调用一个方法来检索所有的cliets,对吗?
好了,现在添加另一个方法,但这次是一个接收客户端Id作为参数的方法:
public List<Client> getAllClients();
public Client getClientById(int clientId);
您将需要一个辅助SQL语句,因为第一个语句中的逻辑用于检索所有记录。类似的东西:
"select clientId, clientName, ... from clients where clientId=?"
使用JDBC PreparedStatement可以轻松替换?对于您的API收到的实际参数。
您还可以考虑抽象映射策略,以便可以将它用于两种方法:
class ClientMapper implements SqlMapper<Client> {
@Override
public Client map(ResultSet rs) throws SQLException {
Client client = new Client();
client.setId(rs.getInt("Id"));
client.setName(rs.getString("Name"));
client.setLastName(rs.getString("LastName"));
client.setAddress(rs.getString("Address"));
return client;
}
}
您还可以拥有一个使用此单客户端映射器的ClientsMapper来检索所有客户端。
class ClientsMapper implements SqlMapper<List<Client>>{
@Override
public List<Client> map(ResultSet rs){
List<Client> result = new ArrayList<>();
ClientMapper mapper = new ClientMapper();
while(rs.next()){
result.add(mapper.map(rs));
}
return result;
}
}
答案 2 :(得分:0)
你可以再使用一个方法,根据你提供的id作为参数返回一个客户端。
public Client getClientById(int id){
//fetch the client data using the id
//make a local Client object
Client c = new Client();
//populate c based on the values you get from your database.
//return this local object of Client
return c;
}