간단한 예를 들어 보자. 하자 두 테이블라는 말을 test
하고 customer
거기에 설명되어 있습니다 :
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));
test
s 및를 추적하는 테이블이 하나 더 있습니다 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));
테이블 tests_purchased
에서 기본 키가 복합 키 임을 알 수 있으므로 매핑 파일 <composite-id ...>...</composite-id>
에서 태그를 사용 hbm.xml
합니다. 따라서 PurchasedTest.hbm.xml
다음과 같이 보입니다.
<?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>
그러나 여기서 끝나지 않습니다. Hibernate에서는 session.load ( entityClass
, id_type_object
)를 사용하여 기본 키를 사용하여 엔티티를 찾고로드합니다. 복합 키의 경우 ID 객체는 아래와 같이 기본 키 속성을 선언 하는 별도의 ID 클래스 (위의 경우 PurchasedTestId
클래스) 여야 합니다 .
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;
}
}
중요한 점은 우리는 또한 두 가지 기능을 구현한다는 것입니다 hashCode()
및 equals()
Hibernate가 그것들에 의존한다.