我在MySQL Workbench中创建了一个模式:
如何将此映射到Play Framework中的Ebean中的实体?在教程中,他们使用方法编写模型类,使用@Entity
注释它并让Play生成SQL脚本,但不关心数据类型(例如,如何设置VARCHAR限制)。
多对多关系怎么样?在我的情况下 - 我应该创建一个实体类UsersScenarios
还是应该创建一个Scenario
模型,其中一些字段包含Users
个对象的集合,另一个User
模型包含一个集合Scenario
个对象?或者也许我应该在MySQL Workbench中生成模式并以某种方式将其映射到我的应用程序中?
请帮助我,因为我没有任何ORM经验。
编辑:我用两个模型做了一点测试:EntityA.java:
package models;
import java.util.*;
import play.db.ebean.*;
import play.data.validation.Constraints.*;
import javax.persistence.*;
@Entity
public class EntityA extends Model {
@Id
public Long id;
@Required
public String label;
@ManyToMany
public List<EntityB> entitiesB = new ArrayList<EntityB>();
public static Finder<Long,EntityA> find = new Finder(
Long.class, EntityA.class
);
}
EntityB.java
package models;
import java.util.*;
import play.db.ebean.*;
import play.data.validation.Constraints.*;
import javax.persistence.*;
@Entity
public class EntityB extends Model {
@Id
public Long id;
@Required
public String label;
@ManyToMany
public List<EntityA> entitiesA = new ArrayList<EntityA>();
public static Finder<Long,EntityB> find = new Finder(
Long.class, EntityB.class
);
}
生成的SQL演变:
create table entity_a (
id bigint auto_increment not null,
label varchar(255),
constraint pk_entity_a primary key (id))
;
create table entity_b (
id bigint auto_increment not null,
label varchar(255),
constraint pk_entity_b primary key (id))
;
create table entity_a_entity_b (
entity_a_id bigint not null,
entity_b_id bigint not null,
constraint pk_entity_a_entity_b primary key (entity_a_id, entity_b_id))
;
create table entity_b_entity_a (
entity_b_id bigint not null,
entity_a_id bigint not null,
constraint pk_entity_b_entity_a primary key (entity_b_id, entity_a_id))
;
alter table entity_a_entity_b add constraint fk_entity_a_entity_b_entity_a_01 foreign key (entity_a_id) references entity_a (id) on delete restrict on update restrict;
alter table entity_a_entity_b add constraint fk_entity_a_entity_b_entity_b_02 foreign key (entity_b_id) references entity_b (id) on delete restrict on update restrict;
alter table entity_b_entity_a add constraint fk_entity_b_entity_a_entity_b_01 foreign key (entity_b_id) references entity_b (id) on delete restrict on update restrict;
alter table entity_b_entity_a add constraint fk_entity_b_entity_a_entity_a_02 foreign key (entity_a_id) references entity_a (id) on delete restrict on update restrict;
所以似乎演化脚本并不完美 - 为什么我需要连接EntityA
和EntityB
的两个表?
答案 0 :(得分:8)
使用 ManyToMany 关系,您需要定义关系的所有者。
在你的情况下它应该是这样的:
@ManyToMany(mappedBy = "entitiesA")
public List<EntityB> entitiesB = new ArrayList<EntityB>();
使用 mappedBy ,它只会生成一个桥接表。
另外看看这些问题,它们会给你更多的理解: