Stuff I Learned from Grails Consulting
SQL Logging
There are two ways to view SQL output from queries; adding logSql = true
in DataSource.groovy and configuring Log4j loggers. The Log4j approach is a lot more flexible since it doesn’t just dump to stdout, and can be routed to a file or other appender and conveniently enabled and disabled. But it turns out it’s easy to toggle logSql
SQL console logging. Get a reference to the sessionFactory
bean (e.g. using dependency injection with def sessionFactory
) and turn it on with
1 | sessionFactory.settings.sqlStatementLogger.logToStdout = true |
and off with
1 | sessionFactory.settings.sqlStatementLogger.logToStdout = false |
stacktrace.log
The stacktrace.log file was getting very large and they wanted to configure it to use a rolling file appender. Seemed simple enough, but it took a lot longer than I expected. The trick is to create an appender with the name 'stacktrace'
; the Grails logic that parses the Log4j DSL looks for an existing appender and uses it, and only configures the default one if there isn’t one already configured. So here’s one that configures a RollingFileAppender
with a maximum of 10 files, each a maximum of 10MB in size, and with the standard layout pattern. In addition it includes logic to determine if it’s deployed in Tomcat so it can write to the Tomcat logs folder, or the target folder if you’re using run-app.
If you’re deploying to a different container, adjust the log directory calculation appropriately.
01 02 03 04 05 06 07 08 09 10 11 | appenders { String logDir = grails.util.Environment.warDeployed ? System.getProperty( 'catalina.home' ) + '/logs' : 'target' rollingFile name: 'stacktrace' , maximumFileSize: 10 * 1024 * 1024 , file: '$logDir/stacktrace.log' , layout: pattern( conversionPattern: '' %d [%t] %-5p %c{ 2 } %x - %m%n '' ), maxBackupIndex: 10 } |
Dynamic fooId property
In a many-to-one where you have a Foo foo
field (or static belongsTo = [foo: Foo]
which triggers adding a ‘foo’ field) you can access its foreign key with the dynamic fooId
property. This can be used in a few ways. Since references like this are lazy by default, checking if a nullable reference exists using foo != null
involves loading the entire instance from the database. But checking fooId != null
involves no database access.
Other queries or updates that really only need the foreign key will be cheaper using fooId
. For example, to set a reference in another instance you would typically use code like this:
1 2 | bar2.foo = bar1.foo bar2.save() |
But you can use the load
method
1 2 | bar2.foo = bar1.fooId ? Foo.load(bar1.fooId) : null bar2.save() |
and avoid loading the Foo instance just to set its foreign key in the second instance and then discard it.
Deleting by id is less expensive too; ordinarily you use get
to load an instance and call its delete
method, but retrieving the entire instance isn’t needed. You can do this instead:
1 | Foo.load(bar.fooId).delete() |
DRY constraints
You can use the importFrom
method inside a constraints
block in a domain class to avoid repeating constraints. You can import all constraints from another domain class:
1 2 3 4 5 | static constraints = { someProperty nullable: true ... importFrom SomeOtherDomainClass } |
and optionally use the include
and/or exclude
properties to use a subset:
1 2 3 4 5 | static constraints = { someProperty nullable: true ... importFrom SomeOtherDomainClass, exclude: [ 'foo' , 'bar' ] } |
Flush event listener
They were seeing some strange behavior where collections that weren’t explicitly modified were being changed and saved, causing StaleObjectStateException
s. It wasn’t clear what was triggering this behavior, so I suggested registering a Hibernate FlushEventListener
to log the state of the dirty instances and collections during each flush:
01 02 03 04 05 06 07 08 09 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 | package com.burtbeckwith.blog import org.hibernate.HibernateException import org.hibernate.collection.PersistentCollection import org.hibernate.engine.EntityEntry import org.hibernate.engine.PersistenceContext import org.hibernate.event.FlushEvent import org.hibernate.event.FlushEventListener class LoggingFlushEventListener implements FlushEventListener { void onFlush(FlushEvent event) throws HibernateException { PersistenceContext pc = event.session.persistenceContext pc.entityEntries.each { instance, EntityEntry value -> if (instance.dirty) { println 'Flushing instance $instance' } } pc.collectionEntries.each { PersistentCollection collection, value -> if (collection.dirty) { println 'Flushing collection ' $collection.role ' $collection' } } } } |
It’s not sufficient in this case to use the standard hibernateEventListeners
map (described in the docs here) since that approach adds your listeners to the end of the list, and this listener needs to be at the beginning. So instead use this code in BootStrap.groovy to register it:
01 02 03 04 05 06 07 08 09 10 11 12 13 14 15 16 17 18 | import org.hibernate.event.FlushEventListener import com.burtbeckwith.blog.LoggingFlushEventListener class BootStrap { def sessionFactory def init = { servletContext -> def listeners = [ new LoggingFlushEventListener()] def currentListeners = sessionFactory.eventListeners.flushEventListeners if (currentListeners) { listeners.addAll(currentListeners as List) } sessionFactory.eventListeners.flushEventListeners = listeners as FlushEventListener[] } } |
“Read only” objects and Sessions
The read
method was added to Grails a while back, and it works like get
except that it marks the instance as read-only in the Hibernate Session. It’s not really read-only, but if it is modified it won’t be a candidate for auto-flushing using dirty detection. But you can explicitly call save()
or delete()
and the action will succeed.
This can be useful in a lot of ways, and in particular it is more efficient if you won’t be changing the instance since Hibernate will not maintain a copy of the original database data for dirty checking during the flush, so each instance will use about half of the memory that it would otherwise.
One limitation of the read
method is that it only works for instances loaded individually by id. But there are other approaches that affect multiple instances. One is to make the entire session read-only:
1 | session.defaultReadOnly = true |
Now all loaded instances will default to read-only, for example instances from criteria queries and finders.
A convenient way to access the session is the withSession
method on an arbitrary domain class:
1 2 3 | SomeDomainClass.withSession { session -> session.defaultReadOnly = true } |
It’s rare that an entire session will be read-only though. You can set the results of individual criteria query to be read-only with the setReadOnly
method:
1 2 3 4 5 6 7 | def c = Account.createCriteria() def results = c { between( 'balance' , 500 , 1000 ) eq( 'branch' , 'London' ) maxResults( 10 ) setReadOnly true } |
One significant limitation of this technique is that attached collections are not affected by the read-only status of the owning instance (and there doesn’t seem to be a way to configure collection to ignore changes on a per-instance basis).
Read more about this in the Hibernate documentation
Reference: Stuff I Learned Consulting from our JCG partner Burt Beckwith at the An Army of Solipsists blog.