1.2. Part 2 - Mapping associations
So far we have mapped a single persistent entity class to a table in isolation. Let's expand on that a bit and add some class associations. We will add people to the application and store a list of events in which they participate.
到目前为止,我们已经匹配了一个简单的持久化的实体类到孤立的一个表中。让我们扩展一些并且添加一些类的关联。我们将会添加people到这个应用中并且存储他们分担的一系列的时间。
1.2.1. Mapping the Person class
关联Person类
The first cut of the Person
class looks like this:
package org.hibernate.tutorial.domain;
public class Person {
private Long id;
private int age;
private String firstname;
private String lastname;
public Person() {}
// Accessor methods for all properties, private setter for 'id'
}
Save this to a file named src/main/java/org/hibernate/tutorial/domain/Person.java
保存这个文件,命名为:Person.
Next, create the new mapping file as src/main/resources/org/hibernate/tutorial/domain/Person.hbm.xml
下一步,创建新的映射文件。
<hibernate-mapping package="org.hibernate.tutorial.domain">
<class name="Person" table="PERSON">
<id name="id" column="PERSON_ID">
<generator class="native"/>
</id>
<property name="age"/>
<property name="firstname"/>
<property name="lastname"/>
</class>
</hibernate-mapping>
Finally, add the new mapping to Hibernate's configuration:
<mapping resource="org/hibernate/tutorial/domain/Event.hbm.xml"/>
<mapping resource="org/hibernate/tutorial/domain/Person.hbm.xml"/>
Create an association between these two entities. Persons can participate in events, and events have participants. The design questions you have to deal with are: directionality, multiplicity, and collection behavior.1.2.2. A unidirectional Set-based association
Person
class, you can easily navigate to the events for a particular person, without executing an explicit query - by callingPerson#getEvents
. Multi-valued associations are represented in Hibernate by one of the Java Collection
Framework contracts; here we choose ajava.util.Set
because the collection will not contain duplicate elements and the ordering is not relevant to our examples:public class Person {
private Set events = new HashSet();
public Set getEvents() {
return events;
}
public void setEvents(Set events) {
this.events = events;
}
}
Before mapping this association, let's consider the other side. We could just keep this unidirectional or create another collection on theEvent
, if we wanted to be able to navigate it from
both directions. This is not necessary, from a functional perspective. You can always execute an explicit query to retrieve the participants for a particular event. This is a design choice left to you, but what is clear from this discussion is the multiplicity
of the association: "many" valued on both sides is called amany-to-many association. Hence, we use Hibernate's many-to-many mapping:<class name="Person" table="PERSON">
<id name="id" column="PERSON_ID">
<generator class="native"/>
</id>
<property name="age"/>
<property name="firstname"/>
<property name="lastname"/>
<set name="events" table="PERSON_EVENT">
<key column="PERSON_ID"/>
<many-to-many column="EVENT_ID" class="Event"/>
</set>
</class>
Hibernate supports a broad range of collection mappings, a
set
being most common. For a many-to-many association, or
n:m entity relationship, an association table is required. Each row in this table represents a link between a person and an event. The table name is declared using thetable
attribute of theset
element. The identifier column name in the association, for the person side, is defined with thekey
element, the column name for the event's side with thecolumn
attribute of themany-to-many
.
You also have to tell Hibernate the class of the objects in your collection (the class on the other side of the collection of references). _____________ __________________
| | | | _____________
| EVENTS | | PERSON_EVENT | | |
|_____________| |__________________| | PERSON |
| | | | |_____________|
| *EVENT_ID | <--> | *EVENT_ID | | |
| EVENT_DATE | | *PERSON_ID | <--> | *PERSON_ID |
| TITLE | |__________________| | AGE |
|_____________| | FIRSTNAME |
| LASTNAME |
|_____________|
1.2.3. Working the association
EventManager
: private void addPersonToEvent(Long personId, Long eventId) {
Session session = HibernateUtil.getSessionFactory().getCurrentSession();
session.beginTransaction();
Person aPerson = (Person) session.load(Person.class, personId);
Event anEvent = (Event) session.load(Event.class, eventId);
aPerson.getEvents().add(anEvent);
session.getTransaction().commit();
}
Person
and anEvent
, simply modify the collection using the normal collection methods. There is no explicit call toupdate()
orsave()
;
Hibernate automatically detects that the collection has been modified and needs to be updated. This is calledautomatic dirty checking. You can also try it by modifying the name or the date property of any of your objects.
As long as they are inpersistent state, that is, bound to a particular Hibernateorg.hibernate.Session
, Hibernate monitors any changes and executes SQL in a write-behind fashion. The
process of synchronizing the memory state with the database, usually only at the end of a unit of work, is calledflushing. In our code, the unit of work ends with a commit, or rollback, of the database transaction.org.hibernate.Session
, when it is not in persistent state (if it was persistent before, this state is
calleddetached). You can even modify a collection when it is detached: private void addPersonToEvent(Long personId, Long eventId) {
Session session = HibernateUtil.getSessionFactory().getCurrentSession();
session.beginTransaction();
Person aPerson = (Person) session
.createQuery("select p from Person p left join fetch p.events where p.id = :pid")
.setParameter("pid", personId)
.uniqueResult(); // Eager fetch the collection so we can use it detached
Event anEvent = (Event) session.load(Event.class, eventId);
session.getTransaction().commit();
// End of first unit of work
aPerson.getEvents().add(anEvent); // aPerson (and its collection) is detached
// Begin second unit of work
Session session2 = HibernateUtil.getSessionFactory().getCurrentSession();
session2.beginTransaction();
session2.update(aPerson); // Reattachment of aPerson
session2.getTransaction().commit();
}
The call to
update
makes a detached object persistent again by binding it to a new unit of work, so any modifications you made to it while detached can be saved to the database. This includes any modifications (additions/deletions)
you made to a collection of that entity object. EventManager
and call
it from the command line. If you need the identifiers of a person and an event - thesave()
method returns it (you might have to modify some of the previous methods to return that identifier): else if (args[0].equals("addpersontoevent")) {
Long eventId = mgr.createAndStoreEvent("My Event", new Date());
Long personId = mgr.createAndStorePerson("Foo", "Bar");
mgr.addPersonToEvent(personId, eventId);
System.out.println("Added person " + personId + " to event " + eventId);
}
This is an example of an association between two equally important classes : two entities. As mentioned earlier, there are other classes and types in a typical model, usually "less important". Some you have already seen, like an
int
or a java.lang.String
. We call these classesvalue types, and their instancesdepend on a particular entity. Instances of these types do not have their
own identity, nor are they shared between entities. Two persons do not reference the samefirstname
object, even if they have the same first name. Value types cannot only be found in the JDK , but you can also write dependent classes
yourself such as anAddress
orMonetaryAmount
class. In fact, in a Hibernate application all JDK classes are considered value types.1.2.4. Collection
of values
Person
entity. This will be represented as a java.util.Set
ofjava.lang.String
instances: private Set emailAddresses = new HashSet();
public Set getEmailAddresses() {
return emailAddresses;
}
public void setEmailAddresses(Set emailAddresses) {
this.emailAddresses = emailAddresses;
}
The mapping of this
Set
is as follows:
<set name="emailAddresses" table="PERSON_EMAIL_ADDR">
<key column="PERSON_ID"/>
<element type="string" column="EMAIL_ADDR"/>
</set>
The difference compared with the earlier mapping is the use of theelement
part which tells Hibernate that the collection does not contain references to another entity, but is rather a collection
whose elements are values types, here specifically of typestring
. The lowercase name tells you it is a Hibernate mapping type/converter. Again thetable
attribute of theset
element determines the table name for the collection. Thekey
element defines the foreign-key column name in the collection table. Thecolumn
attribute in theelement
element
defines the column name where the email address values will actually be stored.
Here is the updated schema:
_____________ __________________
| | | | _____________
| EVENTS | | PERSON_EVENT | | | ___________________
|_____________| |__________________| | PERSON | | |
| | | | |_____________| | PERSON_EMAIL_ADDR |
| *EVENT_ID | <--> | *EVENT_ID | | | |___________________|
| EVENT_DATE | | *PERSON_ID | <--> | *PERSON_ID | <--> | *PERSON_ID |
| TITLE | |__________________| | AGE | | *EMAIL_ADDR |
|_____________| | FIRSTNAME | |___________________|
| LASTNAME |
|_____________|
You can now try to add elements to this collection, just like we did before by linking persons and events. It is the same code in Java:
private void addEmailToPerson(Long personId, String emailAddress) {
Session session = HibernateUtil.getSessionFactory().getCurrentSession();
session.beginTransaction();
Person aPerson = (Person) session.load(Person.class, personId);
// adding to the emailAddress collection might trigger a lazy load of the collection
aPerson.getEmailAddresses().add(emailAddress);
session.getTransaction().commit();
}
1.2.5. Bi-directional associations
Next you will map a bi-directional association. You will make the association between person and event work from both sides in Java. The database schema does not change, so you will still have many-to-many multiplicity.
Note
A relational database is more flexible than a network programming language, in that it does not need a navigation direction; data can be viewed and retrieved in any possible way.
Event
class: private Set participants = new HashSet();
public Set getParticipants() {
return participants;
}
public void setParticipants(Set participants) {
this.participants = participants;
}
Now map this side of the association in
Event.hbm.xml
. <set name="participants" table="PERSON_EVENT" inverse="true">
<key column="EVENT_ID"/>
<many-to-many column="PERSON_ID" class="Person"/>
</set>
set
mappings in both mapping documents. Notice that the column names inkey
andmany-to-many
swap in both mapping documents. The most
important addition here is theinverse="true"
attribute in theset
element of theEvent
's collection mapping.
What this means is that Hibernate should take the other side, the
Person
class, when it needs to find out information about the link between the two. This will be a lot easier to understand once you see how the bi-directional link between our two entities is created.
1.2.6. Working bi-directional links
Person
and anEvent
in the unidirectional example? You add an instance
ofEvent
to the collection of event references, of an instance ofPerson
. If you want to make this link bi-directional, you have to do the same on the other side by adding aPerson
reference to the collection in anEvent
. This process of "setting the link on both sides" is absolutely necessary with bi-directional links.
Many developers program defensively and create link management methods to correctly set both sides (for example, inPerson
):
protected Set getEvents() {
return events;
}
protected void setEvents(Set events) {
this.events = events;
}
public void addToEvent(Event event) {
this.getEvents().add(event);
event.getParticipants().add(this);
}
public void removeFromEvent(Event event) {
this.getEvents().remove(event);
event.getParticipants().remove(this);
}
What about the inverse
mapping attribute? For you, and for Java, a bi-directional link is simply a matter of setting the references on both sides correctly. Hibernate, however, does not have enough information to correctly arrange
SQL INSERT
and UPDATE
statements (to avoid constraint violations). Making one side of the associationinverse
tells Hibernate to consider it amirror
of the other side. That is all that is necessary for Hibernate to resolve any issues that arise when transforming a directional navigation model to a SQL database schema. The rules are straightforward: all bi-directional associations need one side asinverse
.
In a one-to-many association it has to be the many-side, and in many-to-many association you can select either side.