我正在使用Hyperjaxb生成我的JPA映射。然后,我使用hibernate3-maven-plugin生成数据库的SQL脚本。我的问题在于,我的类型具有定义如下的属性:

<xsd:element name="priority" type="xsd:boolean"/>


sql脚本定义这样的列

PRIORITY bit,


JPA实体是这样定义的

/**
 * Obtient la valeur de la propriété priority.
 *
 */
@Basic
@Column(name = "PRIORITY")
public boolean isPriority() {
    return priority;
}

/**
 * Définit la valeur de la propriété priority.
 *
 */
public void setPriority(boolean value) {
    this.priority = value;
}


我正在使用MySql作为后端。当我的JPA / HibernateEntityManager尝试针对数据库验证我的JPA模型时,就会出现此问题。然后我得到这个错误

org.hibernate.HibernateException: Wrong column type in custom.sample_type for column PRIORITY. Found: bit, expected: boolean


如何解决此错误?我读过的某处我可以在Java代码中做类似的事情

@Basic
@Column(name = "B", columnDefinition = "BIT", length = 1)
public boolean isB() {
    return b;
}


但是我的JPA Java代码是由Hyperjaxb自动生成的,那么如何使用Hyperjaxb实现类似的功能?

最佳答案

免责声明:我是Hyperjaxb的作者。

我会尝试通过以下方式自定义您的媒体资源:

<hj:basic>
  <orm:column column-definition="..."/>
</hj:basic>


请参见customizations schema及其使用的ORM schema

如果您不想自定义每个布尔值(您可能不想这样做),也可以配置每个类型的自定义:

<hj:default-single-property type="xsd:boolean">
    <hj:basic>
        <orm:column column-definition="..."/>
    </hj:basic>
</hj:default-single-property>

<hj:default-collection-property type="xsd:boolean">
    <hj:element-collection>
        <orm:column column-definition="..."/>
    </hj:element-collection>
</hj:default-collection-property>


请参见绑定文件的this example

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<jaxb:bindings
    version="2.1"
    xmlns:jaxb="http://java.sun.com/xml/ns/jaxb"
    xmlns:xs="http://www.w3.org/2001/XMLSchema"
    xmlns:hj="http://hyperjaxb3.jvnet.org/ejb/schemas/customizations"
    xmlns:orm="http://java.sun.com/xml/ns/persistence/orm"
    xmlns:annox="http://annox.dev.java.net"
    jaxb:extensionBindingPrefixes="hj orm annox">

    <jaxb:bindings schemaLocation="schema.xsd" node="/xs:schema">
        <jaxb:schemaBindings>
            <jaxb:package name="org.jvnet.hyperjaxb3.ejb.tests.pocustomized"/>
        </jaxb:schemaBindings>
        <hj:persistence>
            <hj:default-generated-id name="MySuperId" transient="true">
                <orm:column name="MY_SUPER_ID"/>
            </hj:default-generated-id>
            <hj:default-one-to-many>
                <orm:join-table/>
            </hj:default-one-to-many>
        </hj:persistence>
        <jaxb:bindings node="xs:complexType[@name='one']/xs:sequence/xs:element[@name='many-to-many-join-table']">
            <annox:annotate>
                <annox:annotate annox:class="org.hibernate.annotations.Cascade" value="DELETE_ORPHAN"/>
            </annox:annotate>
        </jaxb:bindings>

        <jaxb:bindings node="xs:element[@name='ten']/xs:complexType">
            <hj:basic name="content">
                <orm:column length="1024"/>
            </hj:basic>
        </jaxb:bindings>

    </jaxb:bindings>


</jaxb:bindings>


您必须将hj:default-...-property元素放置在hj:persistence内。然后,它们将覆盖默认映射。

07-24 18:37