Equals and HashCode
Java's Collections and Relational database (and thus Hibernate) relies heavily on being able to distinguish objects in a unified way. In Relational database's this is done with primary keys, in Java we have equals() and hashCode() methods on the objects. This page tries to discuss the best strategies for implementation of equals() and hashcode() in your persistent classes.
Why is equals() and hashcode() important
Normally, most Java objects provide a built-in equals() and hashCode() based on the object's identity; so each new() object will be different from all others.
This is generally what you want in ordinary Java programming. And if all your objects are in memory, this is a fine model. Hibernate's whole job, of course, is to move your objects out of memory. But Hibernate works hard to prevent you from having to worry about this.
Hibernate uses the Hibernate session to manage this uniqueness. When you create an object with new(), and then save it into a session, Hibernate now knows that whenever you query for an object and find that particular object, Hibernate should return you that instance of the object. And Hibernate will do just that.
However, once you close the Hibernate session, all bets are off. If you keep holding onto an object that you either created or loaded in a Hibernate session that you have now closed, Hibernate has no way to know about those objects. So if you open another session and query for "the same" object, Hibernate will return you a new instance. Hence, if you keep collections of objects around between sessions, you will start to experience odd behavior (duplicate objects in collections, mainly).
The general contract is: if you want to store an object in a List, Map or a Set then it is an requirement that equals and hashCode are implemented so they obey the standard contract as specified in the documentation.
What is the problem after all?
So let's say you do want to keep objects around from session to session, e.g. in a Set related to a particular application user or some other scope that spans several Hibernate sessions.
The most natural idea that comes to mind is implementing equals() and hashCode() by comparing the property you mapped as a database identifier (ie. the primary key attribute). This will cause problems, however, for newly created objects, because Hibernate sets the identifier value for you after storing new objects. Each new instance therefore has the same identifier, null (or <literal>0</literal>). For example, if you add some new objects to a Set:
// Suppose UserManager and User are Beans mapped with Hibernate
UserManager u = session.load(UserManager.class, id);
u.getUserSet().add(new User("newUsername1")); // adds a new Entity with id = null or id = 0
u.getUserSet().add(new User("newUsername2")); // has id=null, too, so overwrites last added object.
// u.getUserSet() now contains only the second User
As you can see relying on database identifier comparison for persistent classes can get you into trouble if you use Hibernate generated ids, because the identifier value won't be set before the object has been saved. The identifier value will be set when session.save() is called on your transient object, making it persistent.
If you use manually assigned ids (e.g. the "assigned" generator), you are not in trouble at all, you just have to make sure to set the identifier value before adding the object to the Set. This is, on the other hand, quite difficult to guarantee in most applications.
Seperating object id and business key
To avoid this problem we recommend using the "semi"-unique attributes of your persistent class to implement equals() (and hashCode()). Basically you should think of your database identifier as not having business meaning at all (remember, surrogate identifier attributes and automatically generated vales are recommended anyway). The database identifier property should only be an object identifier, and basically should be used by Hibernate only. Of course, you may also use the database identifier as a convenient read-only handle, e.g. to build links in web applications.
Instead of using the database identifier for the equality comparison, you should use a set of properties for equals() that identify your individual objects. For example, if you have an "Item" class and it has a "name" String and "created" Date, I can use both to implement a good equals() method. No need to use the persistent identifier, the so called "business key" is much better. It's a natural key, but this time there is nothing wrong in using it!
The combination of both fields is stable enough for the life duration of the Set containing your Items. It is not as good as a primary key, but it's certainly a candidate key. You can think of this as defining a "relational identity" for your object -- the key fields that would likely be your UNIQUE fields in your relational model, or at least immutable properties of your persistent class (the "created" Date never changes).
In the example above, you could probably use the "username" property.
Note that this is all that you have to know about equals()/hashCode() in most cases. If you read on, you might find solutions that don't work perfectly or suggestions that don't help you much. Use any of the following at your own risk.
Workaround by forcing a save/flush
If you really can't get around using the persistent id for equals() / hashCode(), and if you really have to keep objects around from session to session (and hence can't just use the default equals() / hashCode()), you can work around by forcing a save() / flush() after object creation and before insertion into the set:
// Suppose UserManager and User are Beans mapped with Hibernate
UserManager u = session.load(UserManager.class, id);
User newUser = new User("newUsername1");
// u.getUserSet().add(newUser); // DO NOT ADD TO SET YET!
session.save(newUser);
session.flush(); // The id is now assigned to the new User object
u.getUserSet().add(newUser); // Now OK to add to set.
newUser = new User("newUsername2");
session.save(newUser);
session.flush();
u.getUserSet().add(newUser); // Now userSet contains both users.
Note that it's highly inefficient and thus not recommended. Also note that it is fragile when using disconnected object graphs on a thin client:
// on client, let's assume the UserManager is empty:
UserManager u = userManagerSessionBean.load(UserManager.class, id);
User newUser = new User("newUsername1");
u.getUserSet().add(newUser); // have to add it to set now since client cannot save it
userManagerSessionBean.updateUserManager(u);
// on server:
UserManagerSessionBean updateUserManager (UserManager u) {
// get the first user (this example assumes there's only one)
User newUser = (User)u.getUserSet().iterator().next();
session.saveOrUpdate(u);
if (!u.getUserSet().contains(newUser)) System.err.println("User set corrupted.");
}
This will actually print "User set corrupted." since newUser's hashcode will change due to the saveOrUpdate call.
This is all frustrating because Java's object identity seems to map directly to Hibernate-assigned database identity, but in reality the two are different -- and the latter doesn't even exist until an object is saved. The object's identity shouldn't depend on whether it's been saved yet or not, but if your equals() and hashCode() methods use the Hibernate identity, then the object id does change when you save.
It's bothersome to write these methods, can't Hibernate help?
Well, the only "helping" hand Hibernate can provide is hbm2java.
hbm2java generates a default implementation of equals() and hashcode() which relies on id comparison. After all hbm2java has no way to know your unique buisness key. Often, you will want plain old Java equality rather than persistent-id equality; there is a JIRA issue that you can vote for if you want to enable hbm2java to not generate its default implementation.
In the future we might provide a feature in hbm2java that allows you to mark which properties make up the unique identity of your persistent class; this would support the "candidate key" type of identity.
Summary
To sum all this stuff up, here is a listing of what will work or won't work with the different ways to handle equals/hashCode:
|
no eq/hC at all |
eq/hC with the id property |
eq/hC with buisness key |
use in a composite-id |
No |
Yes |
Yes |
multiple new instances in set |
Yes |
No |
Yes |
equal to same object from other session |
No |
Yes |
Yes |
collections intact after saving |
Yes |
No |
Yes |
Where the various problems are as follows:
use in a composite-id:
To use an object as a composite-id, it has to implement equals/hashCode in some way, == identity will not be enough in this case.
multiple new instances in set:
Will the following work or not:
HashSet someSet = new HashSet();
someSet.add(new PersistentClass());
someSet.add(new PersistentClass());
assert(someSet.size() == 2);
equal to same object from another session:
Will the following work or not:
PersistentClass p1 = sessionOne.load(PersistentClass.class, new Integer(1));
PersistentClass p2 = sessionTwo.load(PersistentClass.class, new Integer(1));
assert(p1.equals(p2));
collections intact after saving:
Will the following work or not:
HashSet set = new HashSet();
User u = new User();
set.add(u);
session.save(u);
assert(set.contains(u));
Any best practicies for equals and hashcode
Read the links in 'Background material' and the API docs - they provide the gory details.
Furthermore I encourage anyone with information and tips about equals and hashcode implementations to come forward and show their "patterns" - I might even try to incorporate them inside hbm2java to make it even more helpful ;)
Background material:
Effective Java Programming Language Guide, sample chapter about equals() and hashCode()
Java theory and practice: Hashing it out, Article from IBM
Sam Pullara (BEA) comments on object identity: Blog comment
Article about how to implement equals and hashCode correctly by Manish Hatwalne: Equals and HashCode
Forum thread discussing implementation possibilities without defining a business identity: Equals and hashCode: Is there *any* non-broken approach?
http://www.hibernate.org/109.html
相关推荐
- **Implementing equals() and hashCode()**: Discusses the importance of implementing these methods for entities to ensure correct behavior in Hibernate. - **Dynamic Models**: Introduces dynamic models...
将JSON列类型映射到List或Map<String> ,需要确保POJO类型覆盖默认的equals和hashCode方法,并根据JSON对象的内容实现它们。 否则,Hibernate脏检查机制可能会触发意外的UPDATE语句。 查看。 Oracle 您应该使用...
5. 实现 equals() 与 hashCode() 方法: 实体对象必须提供 equals() 和 hashCode() 方法来确保对象的唯一性。 Bootstrap(引导、启动) Hibernate 的引导过程是指将 Hibernate 集成到应用程序中的过程。该过程主要...
一个实现Hibernate复合主键方法的equals,hashCode方法的类包
在 CustomLong 类中,我们定义了assemble、deepCopy、disassemble、equals、hashCode、isMutable 和 nullSafeGet 等方法。这些方法都是 UserType 接口的必备方法,其中 nullSafeGet 方法用于从 ResultSet 中获取 ...
为了确保Hibernate能够正确地识别和处理Java对象,开发者需要重写`equals()`和`hashCode()`方法,以便Hibernate能够根据对象的业务逻辑判断对象是否相等。 #### 多对一与一对多实体映射 在关系数据库中,多对一和一...
复合主键映射 <br>通常将复合主键相关属性,单独抽取出来,建立一个独立的类 * 必须实现序列化接口 * 必须实现equals和hashcode方法 采用标签进行映射,其它属性采用正常映射
// getters, setters, equals() and hashCode() } ``` 2. 使用注解标记实体类: 在实体类(如`UserRole`)中,我们需要使用`@IdClass`注解指定复合主键类,并为每个主键字段添加`@Id`注解。例如: ```java ...
关于“PersistentClasses”,文档提供了如何创建简单的POJO示例以及实现继承、equals()和hashCode()方法的指南。还介绍了动态模型的使用、tuplizers的应用,这些都是Hibernate高级特性的一部分,对于实现复杂对象...
- **继承的实现、equals()和hashCode()方法的实现、动态模型、Tuplizers、实体名称解析器**: 这些是更高级的ORM概念,说明了如何在Hibernate中实现继承、对象比较以及在运行时处理对象模型的变化。 - **Hibernate...
3. **equals()和hashCode()方法**:解释了在使用集合时,持久化类需要正确覆盖equals()和hashCode()方法。 4. **动态模型和元组片断映射**:讨论了如何实现动态的ORM模型,以及如何使用元组片断映射到不同的数据库...
POJO模型中,实体类需要实现无参构造函数、提供标识属性、使用非final类以及为持久化属性声明get和set方法,并且实现equals()与hashCode()方法。动态模型指的是使用HQL或JPQL进行查询和操作数据。 引导和启动:...
默认情况下,对象的比较是通过主键值进行的,若需要自定义比较逻辑,需要重写equals()和hashCode()方法。Hibernate通过内部的"EntityEntry"数据结构跟踪实体对象的状态,用于检测数据对象的变化。数据对象的变更检查...
“Persistent Classes”部分讨论了持久化类的设计准则,包括简单的POJO示例、继承的实现、equals()和hashCode()方法的重写、动态模型的应用、Tuplizers的概念等。这些原则有助于开发者编写出既符合Hibernate规范又...
在这种映射方式中,联合主键的字段被放在一个单独的类中,这个类需要实现`java.io.Serializable`接口并重写`equals()`和`hashCode()`方法,以确保对象的唯一性。然后,这个类被注解为`@Embeddable`。在主类中,我们...
- **实现equals()和hashCode()**: 重写equals()和hashCode()方法以支持正确的对象比较。 - **动态模型(Dynamic models)**: 动态创建模型。 - **元组片断映射(Tuplizers)**: 定制化的元组转换。 - **...
- 必要时,还需要重写 `equals` 和 `hashCode` 方法以支持某些特定操作。 3. **创建对象-关系映射文件**: - 映射文件采用 XML 格式,用于指定 Java 类和数据库表之间的映射关系。 - 包括类-表映射、属性-字段...
1. **新特性**:3.1.9版本在2.3.1的基础上增加了更多的自定义选项,如生成的实体类是否启用懒加载、是否生成equals()和hashCode()方法等。 2. **性能优化**:针对大量表的同步,3.1.9版本进行了性能提升,处理速度...
例如,你可以决定实体类的属性是否包含 getter 和 setter 方法,或者是否生成 equals() 和 hashCode() 方法。 以下是一些关键知识点: 1. **Hibernate 逆向工程**: 逆向工程是将现有的数据库结构转化为 Hibernate ...