对于我的应用程序,我需要定义这些类型的配置文件:
用户可以拥有一个或所有这些配置文件。这就是为什么我没有选择继承设计,我更喜欢选择角色策略,因此用户可以拥有许多角色。例如,用户可以拥有销售人员和客户角色。问题是每个角色都有一些具体的信息,例如,推销员必须指定他的交付地址......
这是我使用spring security / JPA的实现:
用户模型
@Entity
@Table(name = "USER")
public class User implements UserDetails{
@Id
@Column(name = "USER_ID")
private Long id;
@ManyToMany(fetch = FetchType.EAGER)
@JoinTable(
name="USER_ROLE",
joinColumns={@JoinColumn(name="USER_ID", referencedColumnName="USER_ID")},
inverseJoinColumns={@JoinColumn(name="USER_ROLE_ID", referencedColumnName="ROLE_ID")})
private Set<Role> roles = new HashSet<Role>();
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public Set<Role> getRoles() {
return roles;
}
public void setRoles(Set<Role> roles) {
this.roles = roles;
}
@Override
public Collection<? extends GrantedAuthority> getAuthorities() {
Collection<GrantedAuthority> authorities = new ArrayList<GrantedAuthority>();
authorities.addAll(roles);
return authorities;
}
}
榜样
@Entity
@Table(name = "ROLE")
public class Role implements GrantedAuthority {
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
@Column(name = "ROLE_ID")
private Long idRole;
@Column(name = "TYPE_ROLE")
private String typeRole;
public Long getIdRole() {
return this.idRole;
}
public void setIdRole(Long idRole) {
this.idRole = idRole;
}
public String getTypeRole() {
return this.typeRole;
}
public void setTypeRole(String typeRole) {
this.typeRole = typeRole;
}
@Override
public String getAuthority() {
return typeRole;
}
}
我无法为每个角色定义特定字段,因为类Role是通用的,我不想在一个角色中混合使用所有角色的字段,我更喜欢在每个角色中封装每个特定字段。我不希望将所有角色的所有字段都存储在数据库中的一个表中,因为每个角色都有其特定的约束。 我该怎么办?
答案 0 :(得分:0)
我找到了一个平均解决方案,我可以为每种配置文件使用合成。
@Entity
@Table(name = "USER")
public class User implements UserDetails{
@Id
@Column(name = "USER_ID")
private Long id;
@OneToMany
private SalesmanProfile salesmanProfile;
@OneToMany
private CustomerProfile customerProfile;
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
}
@Entity
@Table(name = "SALESMAN_PROFILE")
public class SalesmanProfile{
@Id
@Column(name = "SALESMAN_PROFILE_ID")
private Long id;
@ManyToOne
@JoinColumn(name = "USER_ID", nullable = false)
private User user;
private SpecificsFields.....
}
对于CustomerProfile ......
如果我想知道用户是否是推销员,我可以检查用户的推销员资料是否为空... 你觉得怎么样?