我的数据库中有用户ID和用户角色的复合键。
为了使用模型映射DB,下面是代码:
@Id
@Column(name="ID")
public int userId;
@Id
@Column(name="USER_ROLE")
public String userRole;
......
......
@Override
public String toString() {
return userId;
}
目前,我可以显示用户列表,还可以为我的应用程序添加新用户。但是当我尝试通过单击用户ID路由到默认的“编辑”模板时,我收到一个错误:“无路由”。
此外,我可以看到,在点击用户时,复合ID没有作为URL发送,实际上某个对象被附加在URL的末尾(这可能是这个的原因)。 / p>
请告诉我在数据库中有复合键时如何显示默认编辑屏幕。我一直在努力解决这个问题很长一段时间,但在文档中没有任何参考资料:(
答案 0 :(得分:2)
Play CRUD控制器无法与复合键配合使用。以下是解决问题的方法。
首先,确定复合键的字符串格式 - 在下面的例子中,我刚刚取了两个键(ssn,accountId)并用“ - ”分隔它们。
在您的模型中覆盖GenericModel和JPABase中的_key
和findById
方法,如下所示:
package models;
import play.db.jpa.GenericModel;
import javax.persistence.Entity;
import javax.persistence.Id;
@Entity
public class Part extends GenericModel {
@Id
public int ssn;
@Id
public int accountId;
public String name;
/**
* Find a part by its composite id ("ssn-accountId")
*/
public static Part findById(String id) {
// Split the composite id to extract ssn and accountId
String[] elements = id.split("-");
int ssn = Integer.valueOf(elements[0]);
int accountId = Integer.valueOf(elements[1]);
return Part.find("ssn=? AND accountId=?", ssn, accountId).first();
}
/**
* Return a composite id ("ssn-accountId")
*/
public String _key() {
return ssn + "-" + accountId;
}
}
接下来覆盖控制器中的show
方法:
package controllers;
import models.Part;
public class Parts extends CRUD {
/**
* CRUD show method doesn't know how to handle composite ids.
*
* @param id composite of ssn + "-" + accountId
* @throws Exception
*/
public static void show(String id) throws Exception {
// Do not rename 'type' or 'object'
ObjectType type = ObjectType.get(getControllerClass());
notFoundIfNull(type);
Part object = Part.findById(id);
notFoundIfNull(object);
render("CRUD/show.html", type, object);
}
}
就是这样。