Facciamo un semplice esempio. Diciamo che due tabelle hanno nome test
e customer
sono descritte come:
create table test(
test_id int(11) not null auto_increment,
primary key(test_id));
create table customer(
customer_id int(11) not null auto_increment,
name varchar(50) not null,
primary key(customer_id));
Un altro tavolo è lì che tiene la traccia di test
s e customer
:
create table tests_purchased(
customer_id int(11) not null,
test_id int(11) not null,
created_date datetime not null,
primary key(customer_id, test_id));
Possiamo vedere che nella tabella tests_purchased
la chiave primaria è una chiave composita, quindi useremo il <composite-id ...>...</composite-id>
tag nel hbm.xml
file di mappatura. Quindi PurchasedTest.hbm.xml
sembrerà:
<?xml version="1.0"?>
<!DOCTYPE hibernate-mapping PUBLIC
"-//Hibernate/Hibernate Mapping DTD 3.0//EN"
"http://hibernate.sourceforge.net/hibernate-mapping-3.0.dtd">
<hibernate-mapping>
<class name="entities.PurchasedTest" table="tests_purchased">
<composite-id name="purchasedTestId">
<key-property name="testId" column="TEST_ID" />
<key-property name="customerId" column="CUSTOMER_ID" />
</composite-id>
<property name="purchaseDate" type="timestamp">
<column name="created_date" />
</property>
</class>
</hibernate-mapping>
Ma non finisce qui. In Hibernate utilizziamo session.load ( entityClass
, id_type_object
) per trovare e caricare l'entità utilizzando la chiave primaria. Nel caso di chiavi composite, l'oggetto ID dovrebbe essere una classe ID separata (nel caso precedente una PurchasedTestId
classe) che dichiara semplicemente gli attributi della chiave primaria come di seguito :
import java.io.Serializable;
public class PurchasedTestId implements Serializable {
private Long testId;
private Long customerId;
// an easy initializing constructor
public PurchasedTestId(Long testId, Long customerId) {
this.testId = testId;
this.customerId = customerId;
}
public Long getTestId() {
return testId;
}
public void setTestId(Long testId) {
this.testId = testId;
}
public Long getCustomerId() {
return customerId;
}
public void setCustomerId(Long customerId) {
this.customerId = customerId;
}
@Override
public boolean equals(Object arg0) {
if(arg0 == null) return false;
if(!(arg0 instanceof PurchasedTestId)) return false;
PurchasedTestId arg1 = (PurchasedTestId) arg0;
return (this.testId.longValue() == arg1.getTestId().longValue()) &&
(this.customerId.longValue() == arg1.getCustomerId().longValue());
}
@Override
public int hashCode() {
int hsCode;
hsCode = testId.hashCode();
hsCode = 19 * hsCode+ customerId.hashCode();
return hsCode;
}
}
Il punto importante è che implementiamo anche le due funzioni hashCode()
e equals()
poiché Hibernate fa affidamento su di esse.