Hibernate #OnDelete(action = OnDeleteAction.CASCADE) not working - java

I have ManyToOne mapping and I wish to delete all the child elements upon deletion of Parent. I saw a solution over here and came to know that it is not necessary to have bi-directional relation to achieve such logic but it is not working in my case.
import javax.persistence.ManyToOne;
import javax.persistence.SequenceGenerator;
import javax.persistence.Table;
import org.hibernate.annotations.Cascade;
import org.hibernate.annotations.CascadeType;
import org.hibernate.annotations.OnDelete;
import org.hibernate.annotations.OnDeleteAction;
#Entity
#Table(name="SubOrder")
public class SubOrder {
#Id
#GeneratedValue(strategy=GenerationType.SEQUENCE, generator="order_seq")
#SequenceGenerator(name = "order_seq", initialValue=1000000000, allocationSize=1, sequenceName="order_auto_seq" )
#Column(name="sub_order_id")
private long subOrder;
#Column(name="product_name" , length=50)
private String productName;
#Column(name="Date")
private String date;
#ManyToOne()
#Cascade({CascadeType.PERSIST})
#OnDelete(action = OnDeleteAction.CASCADE)
private Order order;
public Order getOrder() {
return order;
}
//Getters and setters
Below is my parent class
#Entity
#Table(name="Orders")
public class Order {
#Id
#GeneratedValue(strategy=GenerationType.SEQUENCE, generator="order_seq")
#SequenceGenerator(name = "order_seq", initialValue=1000000000, allocationSize=1, sequenceName="order_auto_seq" )
#Column(name="order_number")
private long orderNumber;
#Temporal(TemporalType.TIMESTAMP)
#Column(name="Order_date")
private Date date= new Date();
//Getters and setters
My deletion code
Order result =session.get(Order.class, 1000000000l);
session.delete(result);
The above code deletes Order(parent) but not child elements.
My hibernate-cfg.file
<property name="hbm2ddl.auto">update</property>
What could be wrong here ?

I found out the mistake. I was relying on Hibernate to create cascading relationship while creating tables, which was not happening. I had to manually create table by specifying
`FOREIGN KEY (order_order_number) REFERENCES orders (order_number)
ON DELETE CASCADE
ON UPDATE CASCADE`
while creating suborder table in MySql. After this it started working.
Update
Or when you modify any entity better use 'hbm2ddl.auto=create' so that hibernate delete existing one and create a fresh new table with updated constraints.

Related

Why when i use #Query with nativeQuery execute the JPA Query too [duplicate]

When trying to convert a JPA object that has a bi-directional association into JSON, I keep getting
org.codehaus.jackson.map.JsonMappingException: Infinite recursion (StackOverflowError)
All I found is this thread which basically concludes with recommending to avoid bi-directional associations. Does anyone have an idea for a workaround for this spring bug?
------ EDIT 2010-07-24 16:26:22 -------
Codesnippets:
Business Object 1:
#Entity
#Table(name = "ta_trainee", uniqueConstraints = {#UniqueConstraint(columnNames = {"id"})})
public class Trainee extends BusinessObject {
#Id
#GeneratedValue(strategy = GenerationType.TABLE)
#Column(name = "id", nullable = false)
private Integer id;
#Column(name = "name", nullable = true)
private String name;
#Column(name = "surname", nullable = true)
private String surname;
#OneToMany(mappedBy = "trainee", fetch = FetchType.EAGER, cascade = CascadeType.ALL)
#Column(nullable = true)
private Set<BodyStat> bodyStats;
#OneToMany(mappedBy = "trainee", fetch = FetchType.EAGER, cascade = CascadeType.ALL)
#Column(nullable = true)
private Set<Training> trainings;
#OneToMany(mappedBy = "trainee", fetch = FetchType.EAGER, cascade = CascadeType.ALL)
#Column(nullable = true)
private Set<ExerciseType> exerciseTypes;
public Trainee() {
super();
}
//... getters/setters ...
}
Business Object 2:
import javax.persistence.*;
import java.util.Date;
#Entity
#Table(name = "ta_bodystat", uniqueConstraints = {#UniqueConstraint(columnNames = {"id"})})
public class BodyStat extends BusinessObject {
#Id
#GeneratedValue(strategy = GenerationType.TABLE)
#Column(name = "id", nullable = false)
private Integer id;
#Column(name = "height", nullable = true)
private Float height;
#Column(name = "measuretime", nullable = false)
#Temporal(TemporalType.TIMESTAMP)
private Date measureTime;
#ManyToOne(fetch = FetchType.EAGER, cascade = CascadeType.ALL)
#JoinColumn(name="trainee_fk")
private Trainee trainee;
}
Controller:
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.ResponseBody;
import javax.servlet.http.HttpServletResponse;
import javax.validation.ConstraintViolation;
import java.util.*;
import java.util.concurrent.ConcurrentHashMap;
#Controller
#RequestMapping(value = "/trainees")
public class TraineesController {
final Logger logger = LoggerFactory.getLogger(TraineesController.class);
private Map<Long, Trainee> trainees = new ConcurrentHashMap<Long, Trainee>();
#Autowired
private ITraineeDAO traineeDAO;
/**
* Return json repres. of all trainees
*/
#RequestMapping(value = "/getAllTrainees", method = RequestMethod.GET)
#ResponseBody
public Collection getAllTrainees() {
Collection allTrainees = this.traineeDAO.getAll();
this.logger.debug("A total of " + allTrainees.size() + " trainees was read from db");
return allTrainees;
}
}
JPA-implementation of the trainee DAO:
#Repository
#Transactional
public class TraineeDAO implements ITraineeDAO {
#PersistenceContext
private EntityManager em;
#Transactional
public Trainee save(Trainee trainee) {
em.persist(trainee);
return trainee;
}
#Transactional(readOnly = true)
public Collection getAll() {
return (Collection) em.createQuery("SELECT t FROM Trainee t").getResultList();
}
}
persistence.xml
<persistence xmlns="http://java.sun.com/xml/ns/persistence"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://java.sun.com/xml/ns/persistence http://java.sun.com/xml/ns/persistence/persistence_1_0.xsd"
version="1.0">
<persistence-unit name="RDBMS" transaction-type="RESOURCE_LOCAL">
<exclude-unlisted-classes>false</exclude-unlisted-classes>
<properties>
<property name="hibernate.hbm2ddl.auto" value="validate"/>
<property name="hibernate.archive.autodetection" value="class"/>
<property name="dialect" value="org.hibernate.dialect.MySQL5InnoDBDialect"/>
<!-- <property name="dialect" value="org.hibernate.dialect.HSQLDialect"/> -->
</properties>
</persistence-unit>
</persistence>
JsonIgnoreProperties [2017 Update]:
You can now use JsonIgnoreProperties to suppress serialization of properties (during serialization), or ignore processing of JSON properties read (during deserialization). If this is not what you're looking for, please keep reading below.
(Thanks to As Zammel AlaaEddine for pointing this out).
JsonManagedReference and JsonBackReference
Since Jackson 1.6 you can use two annotations to solve the infinite recursion problem without ignoring the getters/setters during serialization: #JsonManagedReference and #JsonBackReference.
Explanation
For Jackson to work well, one of the two sides of the relationship should not be serialized, in order to avoid the infite loop that causes your stackoverflow error.
So, Jackson takes the forward part of the reference (your Set<BodyStat> bodyStats in Trainee class), and converts it in a json-like storage format; this is the so-called marshalling process. Then, Jackson looks for the back part of the reference (i.e. Trainee trainee in BodyStat class) and leaves it as it is, not serializing it. This part of the relationship will be re-constructed during the deserialization (unmarshalling) of the forward reference.
You can change your code like this (I skip the useless parts):
Business Object 1:
#Entity
#Table(name = "ta_trainee", uniqueConstraints = {#UniqueConstraint(columnNames = {"id"})})
public class Trainee extends BusinessObject {
#OneToMany(mappedBy = "trainee", fetch = FetchType.EAGER, cascade = CascadeType.ALL)
#Column(nullable = true)
#JsonManagedReference
private Set<BodyStat> bodyStats;
Business Object 2:
#Entity
#Table(name = "ta_bodystat", uniqueConstraints = {#UniqueConstraint(columnNames = {"id"})})
public class BodyStat extends BusinessObject {
#ManyToOne(fetch = FetchType.EAGER, cascade = CascadeType.ALL)
#JoinColumn(name="trainee_fk")
#JsonBackReference
private Trainee trainee;
Now it all should work properly.
If you want more informations, I wrote an article about Json and Jackson Stackoverflow issues on Keenformatics, my blog.
EDIT:
Another useful annotation you could check is #JsonIdentityInfo: using it, everytime Jackson serializes your object, it will add an ID (or another attribute of your choose) to it, so that it won't entirely "scan" it again everytime. This can be useful when you've got a chain loop between more interrelated objects (for example: Order -> OrderLine -> User -> Order and over again).
In this case you've got to be careful, since you could need to read your object's attributes more than once (for example in a products list with more products that share the same seller), and this annotation prevents you to do so. I suggest to always take a look at firebug logs to check the Json response and see what's going on in your code.
Sources:
Keenformatics - How To Solve JSON infinite recursion Stackoverflow (my blog)
Jackson References
Personal experience
You may use #JsonIgnore to break the cycle (reference).
You need to import org.codehaus.jackson.annotate.JsonIgnore (legacy versions) or com.fasterxml.jackson.annotation.JsonIgnore (current versions).
The new annotation #JsonIgnoreProperties resolves many of the issues with the other options.
#Entity
public class Material{
...
#JsonIgnoreProperties("costMaterials")
private List<Supplier> costSuppliers = new ArrayList<>();
...
}
#Entity
public class Supplier{
...
#JsonIgnoreProperties("costSuppliers")
private List<Material> costMaterials = new ArrayList<>();
....
}
Check it out here. It works just like in the documentation:
http://springquay.blogspot.com/2016/01/new-approach-to-solve-json-recursive.html
Also, using Jackson 2.0+ you can use #JsonIdentityInfo. This worked much better for my hibernate classes than #JsonBackReference and #JsonManagedReference, which had problems for me and did not solve the issue. Just add something like:
#Entity
#Table(name = "ta_trainee", uniqueConstraints = {#UniqueConstraint(columnNames = {"id"})})
#JsonIdentityInfo(generator=ObjectIdGenerators.IntSequenceGenerator.class, property="#traineeId")
public class Trainee extends BusinessObject {
#Entity
#Table(name = "ta_bodystat", uniqueConstraints = {#UniqueConstraint(columnNames = {"id"})})
#JsonIdentityInfo(generator=ObjectIdGenerators.IntSequenceGenerator.class, property="#bodyStatId")
public class BodyStat extends BusinessObject {
and it should work.
Also, Jackson 1.6 has support for handling bi-directional references... which seems like
what you are looking for (this blog entry also mentions the feature)
And as of July 2011, there is also "jackson-module-hibernate" which might help in some aspects of dealing with Hibernate objects, although not necessarily this particular one (which does require annotations).
This worked perfectly fine for me.
Add the annotation #JsonIgnore on the child class where you mention the reference to the parent class.
#ManyToOne
#JoinColumn(name = "ID", nullable = false, updatable = false)
#JsonIgnore
private Member member;
Now Jackson supports avoiding cycles without ignoring the fields:
Jackson - serialization of entities with birectional relationships (avoiding cycles)
Working fine for me
Resolve Json Infinite Recursion problem when working with Jackson
This is what I have done in oneToMany and ManyToOne Mapping
#ManyToOne
#JoinColumn(name="Key")
#JsonBackReference
private LgcyIsp Key;
#OneToMany(mappedBy="LgcyIsp ")
#JsonManagedReference
private List<Safety> safety;
For me the best solution is to use #JsonView and create specific filters for each scenario. You could also use #JsonManagedReference and #JsonBackReference, however it is a hardcoded solution to only one situation, where the owner always references the owning side, and never the opposite. If you have another serialization scenario where you need to re-annotate the attribute differently, you will not be able to.
Problem
Lets use two classes, Company and Employee where you have a cyclic dependency between them:
public class Company {
private Employee employee;
public Company(Employee employee) {
this.employee = employee;
}
public Employee getEmployee() {
return employee;
}
}
public class Employee {
private Company company;
public Company getCompany() {
return company;
}
public void setCompany(Company company) {
this.company = company;
}
}
And the test class that tries to serialize using ObjectMapper (Spring Boot):
#SpringBootTest
#RunWith(SpringRunner.class)
#Transactional
public class CompanyTest {
#Autowired
public ObjectMapper mapper;
#Test
public void shouldSaveCompany() throws JsonProcessingException {
Employee employee = new Employee();
Company company = new Company(employee);
employee.setCompany(company);
String jsonCompany = mapper.writeValueAsString(company);
System.out.println(jsonCompany);
assertTrue(true);
}
}
If you run this code, you'll get the:
org.codehaus.jackson.map.JsonMappingException: Infinite recursion (StackOverflowError)
Solution Using `#JsonView`
#JsonView enables you to use filters and choose what fields should be included while serializing the objects. A filter is just a class reference used as a identifier. So let's first create the filters:
public class Filter {
public static interface EmployeeData {};
public static interface CompanyData extends EmployeeData {};
}
Remember, the filters are dummy classes, just used for specifying the fields with the #JsonView annotation, so you can create as many as you want and need. Let's see it in action, but first we need to annotate our Company class:
public class Company {
#JsonView(Filter.CompanyData.class)
private Employee employee;
public Company(Employee employee) {
this.employee = employee;
}
public Employee getEmployee() {
return employee;
}
}
and change the Test in order for the serializer to use the View:
#SpringBootTest
#RunWith(SpringRunner.class)
#Transactional
public class CompanyTest {
#Autowired
public ObjectMapper mapper;
#Test
public void shouldSaveCompany() throws JsonProcessingException {
Employee employee = new Employee();
Company company = new Company(employee);
employee.setCompany(company);
ObjectWriter writter = mapper.writerWithView(Filter.CompanyData.class);
String jsonCompany = writter.writeValueAsString(company);
System.out.println(jsonCompany);
assertTrue(true);
}
}
Now if you run this code, the Infinite Recursion problem is solved, because you have explicitly said that you just want to serialize the attributes that were annotated with #JsonView(Filter.CompanyData.class).
When it reaches the back reference for company in the Employee, it checks that it's not annotated and ignore the serialization. You also have a powerful and flexible solution to choose which data you want to send through your REST APIs.
With Spring you can annotate your REST Controllers methods with the desired #JsonView filter and the serialization is applied transparently to the returning object.
Here are the imports used in case you need to check:
import static org.junit.Assert.assertTrue;
import javax.transaction.Transactional;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.junit4.SpringRunner;
import com.fasterxml.jackson.core.JsonProcessingException;
import com.fasterxml.jackson.databind.ObjectMapper;
import com.fasterxml.jackson.databind.ObjectWriter;
import com.fasterxml.jackson.annotation.JsonView;
There's now a Jackson module (for Jackson 2) specifically designed to handle Hibernate lazy initialization problems when serializing.
https://github.com/FasterXML/jackson-datatype-hibernate
Just add the dependency (note there are different dependencies for Hibernate 3 and Hibernate 4):
<dependency>
<groupId>com.fasterxml.jackson.datatype</groupId>
<artifactId>jackson-datatype-hibernate4</artifactId>
<version>2.4.0</version>
</dependency>
and then register the module when intializing Jackson's ObjectMapper:
ObjectMapper mapper = new ObjectMapper();
mapper.registerModule(new Hibernate4Module());
Documentation currently isn't great. See the Hibernate4Module code for available options.
#JsonIgnoreProperties is the answer.
Use something like this ::
#OneToMany(mappedBy = "course",fetch=FetchType.EAGER)
#JsonIgnoreProperties("course")
private Set<Student> students;
You Should use #JsonBackReference with #ManyToOne entity and #JsonManagedReference with #onetomany containing entity classes.
#OneToMany(
mappedBy = "queue_group",fetch = FetchType.LAZY,
cascade = CascadeType.ALL
)
#JsonManagedReference
private Set<Queue> queues;
#ManyToOne(cascade=CascadeType.ALL)
#JoinColumn(name = "qid")
// #JsonIgnore
#JsonBackReference
private Queue_group queue_group;
In my case it was enough to change relation from:
#OneToMany(mappedBy = "county")
private List<Town> towns;
to:
#OneToMany
private List<Town> towns;
another relation stayed as it was:
#ManyToOne
#JoinColumn(name = "county_id")
private County county;
I also met the same problem. I used #JsonIdentityInfo's ObjectIdGenerators.PropertyGenerator.class generator type.
That's my solution:
#Entity
#Table(name = "ta_trainee", uniqueConstraints = {#UniqueConstraint(columnNames = {"id"})})
#JsonIdentityInfo(generator = ObjectIdGenerators.PropertyGenerator.class, property = "id")
public class Trainee extends BusinessObject {
...
VERY IMPORTANT: If you are using LOMBOK, make shure to exclude attributes of collections like Set, List, etc...
Like this:
#EqualsAndHashCode(exclude = {"attributeOfTypeList", "attributeOfTypeSet"})
Be sure you use com.fasterxml.jackson everywhere. I spent much time to find it out.
<properties>
<fasterxml.jackson.version>2.9.2</fasterxml.jackson.version>
</properties>
<!-- https://mvnrepository.com/artifact/com.fasterxml.jackson.core/jackson-annotations -->
<dependency>
<groupId>com.fasterxml.jackson.core</groupId>
<artifactId>jackson-annotations</artifactId>
<version>${fasterxml.jackson.version}</version>
</dependency>
<!-- https://mvnrepository.com/artifact/com.fasterxml.jackson.core/jackson-databind -->
<dependency>
<groupId>com.fasterxml.jackson.core</groupId>
<artifactId>jackson-databind</artifactId>
<version>${fasterxml.jackson.version}</version>
</dependency>
Then use #JsonManagedReference and #JsonBackReference.
Finally, you can serialize your model to JSON:
import com.fasterxml.jackson.databind.ObjectMapper;
ObjectMapper mapper = new ObjectMapper();
String json = mapper.writeValueAsString(model);
You can use #JsonIgnore, but this will ignore the json data which can be accessed because of the Foreign Key relationship. Therefore if you reqiure the foreign key data (most of the time we require), then #JsonIgnore will not help you. In such situation please follow the below solution.
you are getting Infinite recursion, because of the BodyStat class again referring the Trainee object
BodyStat
#ManyToOne(fetch = FetchType.EAGER, cascade = CascadeType.ALL)
#JoinColumn(name="trainee_fk")
private Trainee trainee;
Trainee
#OneToMany(mappedBy = "trainee", fetch = FetchType.EAGER, cascade = CascadeType.ALL)
#Column(nullable = true)
private Set<BodyStat> bodyStats;
Therefore, you have to comment/omit the above part in Trainee
I have the same problem after doing more analysis i came to know that, we can get mapped entity also by just keeping #JsonBackReference at OneToMany annotation
#Entity
#Table(name = "ta_trainee", uniqueConstraints = {#UniqueConstraint(columnNames = {"id"})})
public class Trainee extends BusinessObject {
#Id
#GeneratedValue(strategy = GenerationType.TABLE)
#Column(name = "id", nullable = false)
private Integer id;
#Column(name = "name", nullable = true)
private String name;
#Column(name = "surname", nullable = true)
private String surname;
#OneToMany(mappedBy = "trainee", fetch = FetchType.EAGER, cascade = CascadeType.ALL)
#Column(nullable = true)
#JsonBackReference
private Set<BodyStat> bodyStats;
you can use DTO pattern
create class TraineeDTO without any anotation hiberbnate and you can use jackson mapper to convert Trainee to TraineeDTO and bingo the error message disapeare :)
If you cannot ignore the property, try modifying the visibility of the field. In our case, we had old code still submitting entities with the relationship, so in my case, this was the fix:
#JsonProperty(access = JsonProperty.Access.WRITE_ONLY)
private Trainee trainee;
For some reason, in my case, it wasn't working with Set. I had to change it to List and use #JsonIgnore and #ToString.Exclude to get it working.
Replace Set with List:
//before
#OneToMany(mappedBy="client")
private Set<address> addressess;
//after
#OneToMany(mappedBy="client")
private List<address> addressess;
And add #JsonIgnore and #ToString.Exclude annotations:
#ManyToOne
#JoinColumn(name="client_id", nullable = false)
#JsonIgnore
#ToString.Exclude
private Client client;
If you use #JsonManagedReference, #JsonBackReference or #JsonIgnore annotation it ignore some fields and solve Infinite Recursion with Jackson JSON.
But if you use #JsonIdentityInfo which also avoid the Infinite Recursion and you can get all the fields values, so I suggest that you use #JsonIdentityInfo annotation.
#JsonIdentityInfo(generator= ObjectIdGenerators.UUIDGenerator.class, property="#id")
Refer this article https://www.toptal.com/javascript/bidirectional-relationship-in-json to get good understanding about #JsonIdentityInfo annotation.
This post: https://www.baeldung.com/jackson-bidirectional-relationships-and-infinite-recursion
has a full explanation.
If you are using Jackson with older versions, you can try #jsonmanagedreference + #jsonbackreference. If your Jackson is above 2 (1.9 also doesn't work as I know), try #JsonIdentityInfo instead.
As someone using Spring Data and Lombok, this is how I solved it for myself.
#Entity
#Data
public class Foo extends BaseEntity {
#OneToMany(fetch = FetchType.EAGER)
#JoinColumn(name = "foo_id")
#JsonIgnoreProperties("parent_foo")
#EqualsAndHashCode.Exclude
private Set<Bar> linkedBars;
}
#Entity
#Data
public class Bar extends BaseEntity {
#Column(name = "foo_id")
private Long parentFooId;
#ManyToOne(fetch = FetchType.EAGER)
#JoinColumn(name = "foo_id", insertable = false, updatable = false)
#JsonIgnoreProperties({"linkedBars"})
private Foo parentFoo;
}
The JsonIgnoreProperties annotation stops infinite recursion as many answers have discussed above.
#EqualsAndHashCode.Exclude prevents the StackOverflowError caused by hashCode and equals being called recursively.
Using Set over List resolves the MultipleBagFetchException which occurs when you add multiple collection fields. You can also use #Fetch(value = FetchMode.SUBSELECT) to avoid the cartesian product, but I haven't tried it personally since my use case didn't need it.
The explicit definition of parentFooId in Bar is to allow mapping Foo entities with Bars.
I had this problem, but I didn't want to use annotation in my entities, so I solved by creating a constructor for my class, this constructor must not have a reference back to the entities who references this entity. Let's say this scenario.
public class A{
private int id;
private String code;
private String name;
private List<B> bs;
}
public class B{
private int id;
private String code;
private String name;
private A a;
}
If you try to send to the view the class B or A with #ResponseBody it may cause an infinite loop. You can write a constructor in your class and create a query with your entityManager like this.
"select new A(id, code, name) from A"
This is the class with the constructor.
public class A{
private int id;
private String code;
private String name;
private List<B> bs;
public A(){
}
public A(int id, String code, String name){
this.id = id;
this.code = code;
this.name = name;
}
}
However, there are some constrictions about this solution, as you can see, in the constructor I did not make a reference to List bs this is because Hibernate does not allow it, at least in version 3.6.10.Final, so when I need to show both entities in a view I do the following.
public A getAById(int id); //THE A id
public List<B> getBsByAId(int idA); //the A id.
The other problem with this solution, is that if you add or remove a property you must update your constructor and all your queries.
In case you are using Spring Data Rest, issue can be resolved by creating Repositories for every Entity involved in cyclical references.
I'm a late comer and it's such a long thread already. But I spent a couple of hours trying to figure this out too, and would like to give my case as another example.
I tried both JsonIgnore, JsonIgnoreProperties and BackReference solutions, but strangely enough it was like they weren't picked up.
I used Lombok and thought that maybe it interferes, since it creates constructors and overrides toString (saw toString in stackoverflowerror stack).
Finally it wasn't Lombok's fault - I used automatic NetBeans generation of JPA entities from database tables, without giving it much thought - well, and one of the annotations that were added to the generated classes was #XmlRootElement. Once I removed it everything started working. Oh well.
The point is to place the #JsonIgnore in the setter method as follow. in my case.
Township.java
#Access(AccessType.PROPERTY)
#OneToMany(fetch = FetchType.LAZY)
#JoinColumn(name="townshipId", nullable=false ,insertable=false, updatable=false)
public List<Village> getVillages() {
return villages;
}
#JsonIgnore
#Access(AccessType.PROPERTY)
public void setVillages(List<Village> villages) {
this.villages = villages;
}
Village.java
#ManyToOne(fetch = FetchType.EAGER)
#JoinColumn(name = "townshipId", insertable=false, updatable=false)
Township township;
#Column(name = "townshipId", nullable=false)
Long townshipId;
I have faced same issue, add jsonbackref and jsonmanagedref and please make sure #override equals and hashCode methods , this definitely fix this issue.

Spring Boot JPA. Removing entity in oneToMany relationships

This is my entity
package com.nimesia.sweetvillas.entities;
import lombok.Getter;
import lombok.Setter;
import javax.persistence.*;
import java.util.List;
#Entity
#Table(name = "specs", schema = "crm")
public class SpecEntity extends AbsEntity {
#Id
#Column(name = "spec_id")
private #Getter #Setter String id;
#OneToMany(cascade = CascadeType.ALL)
#JoinTable(
name = "specs_translations",
schema="crm",
joinColumns = #JoinColumn(name = "spec_id"),
inverseJoinColumns = #JoinColumn(name = "translation_id")
)
private #Getter #Setter
List<TextEntity> texts;
}
As you can see there is a oneToMany relationships with TextEntity. Such relationship is generated through the specs_translations table.
Here comes the problem.
When it comes to creating the specEntity I can create also its subentities (translations, in this case). In the db, a reference in specs_translations and a record in translations (table which contains the records for textEntities) will be created. As it should be.
But when it comes to updating and removing a TextEntity from my SpecEntity, while the reference in specs_translations gets removed, the relative translation record stays.
This leads to a situation such as the one depicted in the following pics
How can I delete the record in translations when I remove its reference in specs_translations? I would like to achieve this through JPA and not through the DB.
I solved it. I just set orphanRemoval to "true".

JPA Hibernate FetchType.EAGER and FetchMode.JOIN for non primary key

I have come across a very interesting scenario. I know about the n+1 problem and FetchType.EAGER and FetchMode.JOIN.
I have a parent entity School which has 2 #OneToMany children entity ie Student and Teacher. I need all 3 so using FetchType.EAGER and FetchMode.JOIN.
school entity
import lombok.AllArgsConstructor;
import lombok.Getter;
import lombok.NoArgsConstructor;
import org.hibernate.annotations.Fetch;
import org.hibernate.annotations.FetchMode;
import javax.persistence.*;
import java.util.Set;
#Entity
#Getter
#NoArgsConstructor
#AllArgsConstructor
public class School {
#Id
#GeneratedValue(generator = "sequence", strategy = GenerationType.IDENTITY)
#SequenceGenerator(name = "sequence", allocationSize = 10)
int schoolId;
String schoolName;
float schoolRating;
#OneToMany(mappedBy = "school", cascade = CascadeType.ALL, orphanRemoval = true, fetch = FetchType.EAGER)
#Fetch(FetchMode.JOIN)
private Set<Teacher> teachers;
#OneToMany(mappedBy = "school", cascade = CascadeType.ALL, orphanRemoval = true, fetch = FetchType.EAGER)
#Fetch(FetchMode.JOIN)
private Set<Student> students;
}
Student entity
import lombok.AllArgsConstructor;
import lombok.NoArgsConstructor;
import javax.persistence.*;
import java.util.Date;
#NoArgsConstructor
#AllArgsConstructor
#Entity
public class Student {
#Id
#GeneratedValue(generator = "sequence", strategy = GenerationType.IDENTITY)
#SequenceGenerator(name = "sequence", allocationSize = 10)
public int studentId;
public byte studentByte;
public Date date;
#ManyToOne(cascade = CascadeType.ALL)
#JoinColumn(name = "schoolId", referencedColumnName = "schoolId")
private School school;
}
Teacher entity
import lombok.AllArgsConstructor;
import lombok.NoArgsConstructor;
import javax.persistence.*;
import java.util.Date;
#NoArgsConstructor
#AllArgsConstructor
#Entity
public class Teacher {
#Id
#GeneratedValue(generator = "sequence", strategy = GenerationType.IDENTITY)
#SequenceGenerator(name = "sequence", allocationSize = 10)
public int teacherId;
public byte teacherByte;
public Date date;
#ManyToOne(cascade = CascadeType.ALL, fetch = FetchType.LAZY)
#JoinColumn(name = "schoolId", referencedColumnName = "schoolId")
private School school;
}
School Repo
#Repository
public interface SchoolRepository extends JpaRepository<School, Integer> {
List<School>findBySchoolName(String schoolName);
}
if I get School object via the findById method, ie the primary key of the table.
Optional<School> schoolById = schoolRepository.findById(1);
generated SQL is a join of school, student, and teacher entity.
select school0_.schoolId as schoolid1_0_0_, school0_.schoolName as schoolna2_0_0_, school0_.schoolRating as schoolra3_0_0_, students1_.schoolId as schoolid4_1_1_, students1_.studentId as studenti1_1_1_, students1_.studentId as studenti1_1_2_, students1_.date as date2_1_2_, students1_.schoolId as schoolid4_1_2_, students1_.studentByte as studentb3_1_2_, teachers2_.schoolId as schoolid4_2_3_, teachers2_.teacherId as teacheri1_2_3_, teachers2_.teacherId as teacheri1_2_4_, teachers2_.date as date2_2_4_, teachers2_.schoolId as schoolid4_2_4_, teachers2_.teacherByte as teacherb3_2_4_ from School school0_ left outer join Student students1_ on school0_.schoolId=students1_.schoolId left outer join Teacher teachers2_ on school0_.schoolId=teachers2_.schoolId where school0_.schoolId=?
but if I find a school with some other variable which is not a primary key.
List<School> schoolByName = schoolRepository.findBySchoolName("school1");
generated SQL is 3 different hits on DB.
Hibernate: select school0_.schoolId as schoolid1_0_, school0_.schoolName as schoolna2_0_, school0_.schoolRating as schoolra3_0_ from School school0_ where school0_.schoolName=?
Hibernate: select teachers0_.schoolId as schoolid4_2_0_, teachers0_.teacherId as teacheri1_2_0_, teachers0_.teacherId as teacheri1_2_1_, teachers0_.date as date2_2_1_, teachers0_.schoolId as schoolid4_2_1_, teachers0_.teacherByte as teacherb3_2_1_ from Teacher teachers0_ where teachers0_.schoolId=?
Hibernate: select students0_.schoolId as schoolid4_1_0_, students0_.studentId as studenti1_1_0_, students0_.studentId as studenti1_1_1_, students0_.date as date2_1_1_, students0_.schoolId as schoolid4_1_1_, students0_.studentByte as studentb3_1_1_ from Student students0_ where students0_.schoolId=?
I realized that join only works if we are getting by id ie primary key, but I don't have a primary key of School. I have the name of the school which is unique and indexed and needs student entity and teacher entity also. is there a way to get them all using join in hibernate. I know if student and teacher records are more then it will be performance degradation, but in my case, it will be at most 3-4 records only. that's why I want to join them all.
It is not advisable to map more than one associated collection fields of an Entity with FetchMode.JOIN. This is to avoid Cartesian product issue. I am surprised it did a sql join even when you selected by Id
When you are fetching School other than it's Id field, hibernate does not know how many Schools you will be fetching, so if it did a join fetch rather than separate selects, it will end up with a Cartesian product issue
Say you have 10 schools, each school has 20 teachers and 400 students. If hibernate did a join it will have to bring 80,000 (10*20*400) records from db.
But since it is doing separate select, it will bring 4,210 (10 + 200 + 4000) records. Even in the case selecting by Id it is 420 records vs 8000 records
Short Answer
Do not retrieve Parent entity and more than one of its associated collections using join even if you find a way to do that because performance will be worse than multiple selects.
Update:
If you are sure that the school name is unique and there is only a few teachers per school and students size is small, you can do the following: (currently your findBySchoolName returns List<School>, you can change that to return an optional school)
#Repository
public interface SchoolRepository extends JpaRepository<School, Integer> {
#Query("SELECT s from School s left join fetch s.teachers " +
"left join fetch s.students where s.schoolName = :name")
Optional<School> findBySchoolName(String name);
}

could not extract ResultSet when inserting record into database using Spring Boot

I am trying to do a simple insertion into my database using Spring boot. When I run my program, I get the error 'could not extract ResultSet'. But I am not looking to extract anything out, I am just purely inserting.
This is my model code:
import java.util.Date;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.Table;
#Entity(name = "calendar")
#Table(name = "TB_EVENT")
public class Calendar {
#Id
#GeneratedValue
#JoinColumn(name = "EventID")
private int eventId;
#JoinColumn(name = "Privacy")
private String privacy;
#JoinColumn(name = "EventCode")
private String eventCode;
#JoinColumn(name = "Subject")
private String subject;
#JoinColumn(name = "Location")
private String location;
My service implementation class:
#Override
public void add(Calendar calendar) {
// TODO Auto-generated method stub
logger.info("invoked insertevent function in calendarServiceImpl");
logger.info(calendar.getPrivacy());
logger.info(calendar.getAllDay());
logger.info(calendar.getEventCode());
logger.info(calendar.getSubject());
logger.info(calendar.getReminder());
logger.info(calendar.getLocation());
logger.info(calendar.getStartTime());
logger.info(calendar.getEndTime());
logger.info(calendar.getRecur());
logger.info(calendar.getRemarks());
calendarRepository.save(calendar);
}
I am using the .save() and in my database I have set the id to be auto incremental. Anybody know what went wrong?
Thanks guys, I managed to solve the problem by adding #GeneratedValue(strategy = GenerationType.IDENTITY)
Try to change annotations above fields to #Column.
#JoinColumn is used to indicate the relationship and ownership of the relationship. I guess what you need is #Column annotation.
So replace all #JoinColumn's with #Column would fix the problem.
To see what #JoinColumn does please refer
Using #JoinColumn instead of #Column is first issue that anyone can see from sky high. Please change it to #Column as Hibernate docs suggest. Putting #JoinColumn does not map your field to database in any situation whatsoever.
Also "could not extract ResultSet" is not helpful at all you should have posted your stacktrace instead of only few words.

How to restrict associated tables from getting considered for join when using hibernate update() on entity having multiple #ManyToOne associations

I have a Record entity that maintains a #ManyToOne relation with Product_Category table and Price_Category table. The record entity also maintains a #OneToMany association with another table called PendingRecords.
Currently this is working perfectly for hibernate save/persist, in which all the associated tables also get modified when specific conditions are met. The problem is these associated entities are also getting considered on hibernate update/delete which is not what I intended to do. I want to restrict these entites from getting considered and allow change only on insert.
Following are the entity class mappings
Record.java
import javax.persistence.CascadeType;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.ManyToOne;
import javax.persistence.OneToOne;
import javax.persistence.Table;
#Entity
#Table(name = "ITEM_RECORDS")
public class Record {
-------------------------
#ManyToOne(optional=false)
#JoinColumn(name = "PRICE_CATEGORY", referencedColumnName="price_category", nullable=false)
private PriceCategory price_category;
#ManyToOne(optional=false)
#JoinColumn(name = "PRODUCT_CATEGORY", referencedColumnName="product_category", nullable=false)
private ProductCategory product_category;
#OneToOne(mappedBy="record", cascade = CascadeType.ALL)
private PendingRecords pendingRecord;
----------------------
(getter setter methods)
-----------------------
Following are the associated tables
PriceCategory.java
#Entity
#Table(name = "PRICE_CATEGORY")
public class PriceCategory{
#Id
#GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
#Column(name = "PRICE_CATEGORY")
private String price_category;
#Column(name = "DESCRIPTION")
private String description;
----------------------------
(getter-setters)
----------------------------
ProductCategory.java
#Entity
#Table(name = "PRODUCT_CATEGORY")
public class ProductCategory {
#Id
#GeneratedValue(strategy = GenerationType.IDENTITY)
#Column(name = "ID")
private Long id;
#Column(name = "PRODUCT_CATEGORY")
private String product_category;
#Column(name = "DESCRIPTION")
private String description;
----------------------------
(getter-setters)
----------------------------
and finally,
PendingRecords.java
#Entity
#Table(name = "PENDING_RECORDS")
public class PendingRecords{
#Id
#Column(name = "PENDING_RECORD_NO")
#GeneratedValue(generator="gen")
#GenericGenerator(name="gen", strategy="foreign",parameters=#Parameter(name="property", value="record"))
private Long pending_record_id;
----------------------
#OneToOne
#PrimaryKeyJoinColumn
private Record record;
-------------------------
(getters-setters)
-------------------------
The entity associations are working fine when I perform the insert (hibernate persist/save). The problem is when I try to update the Record, hibernate is trying to update all the associated entries also like
select
this_.RECORD_NO as REC_REC1_1_3_,
this_.PRICE_CATEGORY as PRICE_CA10_1_3_,
this_.PRODUCT_CATEGORY as PRODUCT11_1_3_,
pricecatego2_.id as id1_0_0_,
pricecatego2_.PRICE_CATEGORY as PRICE_CAT2_0_0_,
pricecatego2_.DESCRIPTION as DESCRIPT3_0_0_,
productcat3_.ID as ID1_3_1_,
productcat3_.DESCRIPTION as DESCRIPT2_3_1_,
productcat3_.PRODUCT_CATEGORY as PRODUCT_3_3_1_,
pendingrec4_.PENDING_RECORD_NO as REC_REC1_2_2_,
---------------------------
from
ITEM_RECORDS this_
inner join
PRICE_CATEGORY pricecatego2_
on this_.PRICE_CATEGORY=pricecatego2_.PRICE_CATEGORY
inner join
PRODUCT_CATEGORY productcat3_
on this_.PRODUCT_CATEGORY=productcat3_.PRODUCT_CATEGORY
left outer join
PENDING_RECORDS pendingrec4_
on this_.PENDING_RECORD_NO=pendingrec4_.PENDING_RECORD_NO
where
this_.PENDING_RECORD_NO=?
What should be done to prevent considering these entities for join operations while updating Record entity? Because this is an additional overhead and also generates ClassCastException. I need associated entites to be changed only during persit or save and not during update or delete.
I am getting the following error during update
Servlet.service() for servlet dispatcher threw exception: java.lang.ClassCastException: com.myapps.models.PriceCategory cannot be cast to java.io.Serializable
Should I specify CascadeType? Or should i use hibernate CascadeType instead of JPA's which I am currently using for PendingRecords? Or is there another way? Please help me resolve this.
Thanks in advance.
I need associated entites to be changed only during persit or save
and not during update or delete
If, once the related entities are set at persist time, they should never be overwritten with another entity instance, use #JoinColumn(updatable=false).
Note that because of Hibernate's flush operation order, it the related entities do not already exist, you might need to save them first, flush the EntityManager, and only then save the top-level entity.
What should be done to prevent considering these entities for join
operations while updating Record entity?
Try #ManyToOne(fetch=LAZY). I am not entirely sure this will work during a merge, though, as there are many reasons for Hibernate to fetch related entities during a merge. If it doesn't work, you might need to write a custom update query.

Categories