2

在 OpenJPA 2.2 中,当我分离某个实体时,所有列表属性都是“只读(不可变)我无法更改它们,但我可以更改一些其他属性,例如字符串”。

这是任何实体中列表属性的正常行为吗?或者仅仅是openjpa的一个限制,规范所说的正常行为是什么?

实体

@Entity
public class User implements Serializable{

   @Id
   private int id;
   private String userName;
   private String password;
   @OneToMany(mappedBy = "user")
   private List<Role> roles;

   //getters and setters..

}


@Entity 
public class Role implements Serializable{

   @Id
   private int id;
   private String roleName;
   @ManyToOne
   @JoinColumn(name = "user_id")
   private User user;

  //getters and setters..
}

EJB 接口本地

@Local
public interface MyEJBLocal{
   public User getUserWithRoles();
}

EJB 类

@Stateless
public class MyEJB implements MyEJBLocal{

    @PersistenceContext(unitName ="ANY_NAME")
    private EntityManager em;

  @Override
  public User getUser(){

        CriteriaBuilder cb = em.getCriteriaBuilder();
        CriteriaQuery<User> cq = cb.createQuery(User.class);
        Root<User> root = cq.from(User.class);

        cq.where(cb.equal(root.get(User_.userName),"john"));

       User user = em.createQuery(cq).getSingleResult());
       em.detach(user); //detaching user object
       return user;
  }

}

豆类

@Named
public class MyBean implements Serializable{

 @EJB
 private MyEJBLocal ejb;

 public void anyMethod(){
   User user = ejb.getUser();
   //i will create a list of role just for try to set any role the userJohn
      List<Role> roleList = new ArrayList<Role>(2);
      roleList.add(new Role(1,'ADMIN'); //creating and adding role 1
      roleList.add(new Role(2,'DEVELOPER');//creating and adding role 2

     //setting the list of roles created to the user, as you can see the list has 2 values but the value roles of userJohn always is set to null, my setters and getters are correct
     userJohn.setRoles(roleList);

    user.getRoles(); //<---- HERE THE LIST IS ALWAYS NULL

    user.setUserName("new_name");//<--- But this works

 }
}

我要做的是克隆我的实体以添加或更改列表值。有人建议我为此使用 DTO,但我不确定我能做什么。

我将不胜感激任何评论。

4

1 回答 1

0

无论分离,你都必须维护双方的关系。

Java Persistence 2.0,最终版本:

开发人员有责任保持拥有方的内存引用和相反方的内存引用在更改时彼此保持一致。

在持久化期间,拥有方是存储到数据库的内容。

关系可以是双向的或单向的。双向关系既有拥有方,也有反向(非拥有)方。单向关系只有拥有方。关系的拥有方决定数据库中关系的更新,如 3.2.4 节所述。

...

一对多/多对一双向关系的多方必须是拥有方,因此不能在 ManyToOne 注释上指定 mappedBy 元素。

在您的情况下,角色实体是拥有方。

顺便提一句。用户和角色通常具有多对多关系。

于 2013-10-22T06:59:59.037 回答