Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Change entity using Hibernate PreInsertEventListener

I am using Hibernate 4.1 trying to call a PreInsertEventListener to update the entity before inserting it into the database, based on the article here: http://anshuiitk.blogspot.ca/2010/11/hibernate-pre-database-opertaion-event.html

public class PreInsertListener implements PreInsertEventListener {

    @Override
    public boolean onPreInsert(PreInsertEvent event) {
        Product product  = (Product)event.getEntity();
        String barcode = "B" + product.getProductId();
        product.setBarcode(barcode);

        // Update the state value that will be persisted
        String[] properties = event.getPersister().getEntityMetamodel().getPropertyNames();
        List<String> propertiesList = Arrays.asList(properties);
        event.getState()[propertiesList.indexOf('barcode')] = barcode;
    }
}

When I debug it, it is executing the PreInsertListener code, but the values inserted into the database do not contain the changes from the code. This used to work in Hibernate 3. What am I missing here?

like image 739
clarinet Avatar asked May 16 '13 19:05

clarinet


1 Answers

Just make sure that you are not falling into the approach-3 problem listed on the blog post that you shared above. If you have insert and update actions on your entity in one single transaction, then your preInsert listener actions will be overridden by the update action.

-- Message from the blog post ( http://anshuiitk.blogspot.ca/2010/11/hibernate-pre-database-opertaion-event.html)

Hibernate generates a prepared statement and fills in the parameters from the 'state' array present in the event. Hence any changes made to the this 'state' array are reflected in the sql statement generated by the hibernate and finally on the database. The insert and update events have a different copy of this states array.

The pre insert listener is called before the pre update event (if an insert as well as update happens). This happens when an entity is created, persisted and then modified in the same transaction. This will result into two seperate sql statements, first will be an insert statement and second one will be an update statement, on the same entity. With the insert statement as we set only the insertUser and insertTime in our PreInsertEventListener and not updateUser and updateTime. The generated statement will look like

insert into entity (id, .... , insert_user, insert_time, update_user, update_time) values (1, .... 'test', '21.11.2010 16:10:00', null, null)

with the PreUpdateEventListener the update SQL generated will be like

update entity set id=1 .... , insert_user=null, insert_time=null, update_user='test', update_time='21.11.2010 16:10:00'
like image 70
Santhosh Gandhe Avatar answered Oct 24 '22 17:10

Santhosh Gandhe