1

我想用共享主键创建双向一对一关系。

正如这里所说,JPA Hibernate 一对一关系我有:

@Entity
public class UserProfileInformation {

    @Id
    @GeneratedValue(generator = "customForeignGenerator")
    @org.hibernate.annotations.GenericGenerator(
        name = "customForeignGenerator",
        strategy = "foreign",
        parameters = @Parameter(name = "property", value = "userEntity")
    )
    long id;

    private long itemsPerPage;

    @OneToOne(mappedBy="userProfileInformation")
    private UserEntity userEntity;
...}

@Entity
@Table(name = "UserTable")
public class UserEntity {
    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    private Long id;

    private String publicName;

    private String password;

    private String emailAddress;

    private String name; 

    private boolean active;

    @OneToOne(cascade=CascadeType.ALL)
    @PrimaryKeyJoinColumn
    private UserProfileInformation userProfileInformation;
...}

现在,当我尝试将我的用户保存在数据库中时,我得到org.hibernate.id.IdentifierGenerationException: null id generated for:class pl.meble.taboret.model.UserProfileInformation. 是因为,当 userProfileInformation 持久化到数据库 userEntity 时没有生成 id 吗?

另外,在我的示例中,如何创建与共享主键的双向关系?

编辑:请求的代码,这是测试持久用户实体操作的简单控制器。

@Controller
@RequestMapping("/test")
public class TestController {
    @Autowired
    UserDao userDao;

    @RequestMapping(method= RequestMethod.GET)
    public String t(Model model){
        UserEntity entity=new UserEntity();
        entity.setActive(false);
        entity.setEmailAddress("a");
        entity.setName("name");
        entity.setPassword("qqq");
        entity.setPublicName("p");
        UserProfileInformation p = new UserProfileInformation(entity);
        entity.setUserProfileInformation(p);
        userDao.addUser(entity);
        return "login";
    }
}
4

1 回答 1

1

我认为问题在于 id 生成策略。因为休眠@GeneratedValue(strategy = GenerationType.AUTO)转换为native标识符生成。这意味着 hibernate 需要identityUserTable 的 id 字段。

我不确切知道SQLite身份列是如何工作的,但从这个 SO question看来有点不同(见第二个答案)。

无论如何,如果您计划在多个数据库上运行您的应用程序,那么从更改 id 生成策略GenerationType.AUTO并使用 hibernate 增强生成器:SequenceStyleGeneratorTableGenerator. 请参阅休眠文档中的此链接

编辑:

我试图重现您的问题,似乎 SQLite dialect 不在官方支持的hibernate dialects中。同时,我使用H2 嵌入式数据库测试了您的案例,它按预期工作:您的映射是正确的。

如果您使用的是非官方的 SQLite 方言,则可能是该方言的错误。

于 2012-09-09T16:17:25.713 回答