I am using Spring+Hibernate for an operation which requires creating and updating literally hundreds of thousands of items. Something like this:
{
...
Foo foo = fooDAO.get(...);
for (int i=0; i<500000; i++) {
Bar bar = barDAO.load(i);
if (bar.needsModification() && foo.foo()) {
bar.setWhatever("new whatever");
barDAO.update(bar);
// commit here
Baz baz = new Baz();
bazDAO.create(baz);
// if (i % 100 == 0), clear
}
}
}
To protect myself against losing changes in the middle, I commit the changes immediately after barDAO.update(bar)
:
HibernateTransactionManager transactionManager = ...; // injected by Spring
DefaultTransactionDefinition def = new DefaultTransactionDefinition();
def.setPropagationBehavior(TransactionDefinition.PROPAGATION_REQUIRED);
TransactionStatus transactionStatus = transactionManager.getTransaction(def);
transactionManager.commit(transactionStatus);
At this point I have to say that entire process is running in a transaction wrapped into org.springframework.orm.hibernate3.support.ExtendedOpenSessionInViewFilter
(yes, this is a webapp).
This all works fine with one exception: after few thousand of updates/commits, entire process gets really slow, most likely due to memory being bloated by ever-increasing amount of objects kept by Spring/Hibernate.
In Hibernate-only environment this would be easily solvable by calling org.hibernate.Session#clear()
.
Now, the questions:
- When is it a good time to
clear()
? Does it have big performance cost? - Why aren't objects like
bar
orbaz
released/GCd automatically? What's the point of keeping them in the session after the commit (in the next loop of iteration they're not reachable anyway)? I haven't done memory dump to prove this but my good feeling is that they're still there until completely exited. If the answer to this is "Hibernate cache", then why isn't the cache flushed upon the available memory going low? - is it safe/recommended to call
org.hibernate.Session#clear()
directly (having in mind entire Spring context, things like lazy loading, etc.)? Are there any usable Spring wrappers/counterparts for achieving the same? - If answer to the above question is true, what will happen with object
foo
, assumingclear()
is called inside the loop? What iffoo.foo()
is a lazy-load method?
Thank you for the answers.