为什么@Basic(fetch = lazy)在我的情况下不起作用?

问题描述 投票:0回答:1

我知道类似的问题已经被问过很多次,但我找不到一个可以帮助我的问题。

那么,我可以请你帮助我找到为什么Booktitle被取出的原因吗?

我有一个非常简单的代码库,这是我的实体:

@Entity
@NoArgsConstructor
@AllArgsConstructor
@Data
@Builder
public class Book {

    @Id
    @GeneratedValue
    private int id;

    @Lob
    @Basic(fetch = FetchType.LAZY, optional = false)
    private String title;

}

这是客户端的一段代码,在这种情况下由psvm()代表:

public static void main(String[] args) {

    final ApplicationContext context = new AnnotationConfigApplicationContext(AppConfig.class);
    final SessionFactory sessionFactory = context.getBean(SessionFactory.class);
    Session session = sessionFactory.openSession();

    Book book = Book.builder().title("Peace and War").build();

    Transaction tx = session.beginTransaction();
    session.save(book);
    tx.commit();
    session.close();

    session = sessionFactory.openSession();
    book = session.get(Book.class, book.getId());
}

我还为maven添加了一个插件以增强字节码:

   <build>
        <plugins>
            <plugin>
                <groupId>org.hibernate.orm.tooling</groupId>
                <artifactId>hibernate-enhance-maven-plugin</artifactId>
                <version>5.3.6.Final</version>
                <executions>
                    <execution>
                        <configuration>
                            <enableLazyInitialization>true</enableLazyInitialization>
                        </configuration>
                        <goals>
                            <goal>enhance</goal>
                        </goals>
                    </execution>
                </executions>
            </plugin>
        </plugins>
   </build>

但是,仍然使用以下查询急切地获取title

Hibernate: select book0_.id as id1_0_0_, book0_.title as title2_0_0_ from Book book0_ where book0_.id=?

我可以看到因为hibernate.show_sql=true

你能帮我弄清楚我做错了什么吗?似乎答案是表面上的,但我无法发现它。

java hibernate lazy-loading hibernate-mapping
1个回答
1
投票
 @Basic(fetch = FetchType.LAZY, optional = false)

根据JPA规范@Basic懒惰加载不保证适用于您正在使用的实现。你可以在这里查看https://en.wikibooks.org/wiki/Java_Persistence/Basic_Attributes

在JPA中支持对Basic的LAZY获取是可选的,因此一些JPA提供者可能不支持它。

无论如何,一个解决方法是创建一个新的分离实体,例如BookTitle,然后建立一对一的关系并从Book Entity懒惰地加载它:

public class BookTitle {
    @Id
    @GeneratedValue
    private Long id;

    @Lob
    @Basic(fetch = FetchType.LAZY, optional = false)
    private String title;
}


public class Book {

    @Id
    @GeneratedValue
    private int id;

    @OneToOne (fetch = FetchType.LAZY)
    private BookTitle bookTitle;

}
© www.soinside.com 2019 - 2024. All rights reserved.