Look at the following code:
class Node { Node parent String name Tree tree } Tree tree = new Tree() Node root = new Node(name: 'Root', tree: tree) root.save() new Node(name: 'Child', parent: root, tree: tree).save()
What happens when I query all nodes by tree?
List allNodesOfTree = Node.findAllByTree(tree, [cache: true])
Of course you get 2 nodes, but what is the result of:
allNodesOfTree.contains(Node.get(rootId))
It should be true but it isn’t all the time. If you didn’t implement equals and hashCode you get an instance equals that is the same as ==.
Hibernate guarantees that you get the same instance out of a session for the same domain object. (Node.get(rootId) == Node.get(rootId))
But the query cache plays a crucial role here, it saves the ids of the result and calls Node.load(id). There is an important difference between Node.get and Node.load. Node.get always returns an instance of Node which is a real node not a proxy. For this it queries the session context and hits the database when necessary. Node.load on the other hand never hits the database. It returns a proxy and only when the session contains the domain object it returns a real domain object.
So allNodesOfTree returns
- two proxies when no element is in the session
- a proxy and a real object when you call Node.get(childId) beforehand
- two real objects when you call get on both elements first
Deactivating the query cache globally or for this query only, returns two real objects.