Mappatura di una tabella di associazione molti-a-molti con colonne aggiuntive


131

Il mio database contiene 3 tabelle: le entità utente e servizio hanno una relazione molti-a-molti e vengono unite alla tabella SERVICE_USER come segue:

UTENTI - SERVICE_USER - SERVIZI

La tabella SERVICE_USER contiene una colonna BLOCCATA aggiuntiva.

Qual è il modo migliore per eseguire una simile mappatura? Queste sono le mie classi Entity

@Entity
@Table(name = "USERS")
public class User implements java.io.Serializable {

private String userid;
private String email;

@Id
@Column(name = "USERID", unique = true, nullable = false,)
public String getUserid() {
return this.userid;
}

.... some get/set methods
}

@Entity
@Table(name = "SERVICES")
public class CmsService implements java.io.Serializable {
private String serviceCode;

@Id
@Column(name = "SERVICE_CODE", unique = true, nullable = false, length = 100)
public String getServiceCode() {
return this.serviceCode;
}
.... some additional fields and get/set methods
}

Ho seguito questo esempio http://giannigar.wordpress.com/2009/09/04/m ... using-jpa / Ecco un codice di prova:

User user = new User();
user.setEmail("e2");
user.setUserid("ui2");
user.setPassword("p2");

CmsService service= new CmsService("cd2","name2");

List<UserService> userServiceList = new ArrayList<UserService>();

UserService userService = new UserService();
userService.setService(service);
userService.setUser(user);
userService.setBlocked(true);
service.getUserServices().add(userService);

userDAO.save(user);

Il problema è che l'ibernazione persiste nell'oggetto utente e nel servizio utente. Nessun successo con l'oggetto CmsService

Ho provato a usare EAGER fetch - nessun progresso

È possibile ottenere il comportamento che mi aspetto con la mappatura fornita sopra?

Forse c'è un modo più elegante di mappare molti a molti join tabella con colonna aggiuntiva?

Risposte:


192

Poiché la tabella SERVICE_USER non è una tabella di join pura, ma presenta campi funzionali aggiuntivi (bloccati), è necessario mapparla come entità e scomporre le numerose associazioni tra Utente e Servizio in due associazioni OneToMany: un Utente ha molti Servizi utente, e un servizio ha molti UserServices.

Non ci hai mostrato la parte più importante: la mappatura e l'inizializzazione delle relazioni tra le tue entità (cioè la parte con cui hai problemi). Quindi ti mostrerò come dovrebbe essere.

Se rendi bidirezionali le relazioni, dovresti quindi avere

class User {
    @OneToMany(mappedBy = "user")
    private Set<UserService> userServices = new HashSet<UserService>();
}

class UserService {
    @ManyToOne
    @JoinColumn(name = "user_id")
    private User user;

    @ManyToOne
    @JoinColumn(name = "service_code")
    private Service service;

    @Column(name = "blocked")
    private boolean blocked;
}

class Service {
    @OneToMany(mappedBy = "service")
    private Set<UserService> userServices = new HashSet<UserService>();
}

Se non aggiungi alcuna cascata alle tue relazioni, allora devi persistere / salvare tutte le entità. Sebbene solo il lato proprietario della relazione (qui, il lato UserService) debba essere inizializzato, è anche una buona pratica assicurarsi che entrambe le parti siano coerenti.

User user = new User();
Service service = new Service();
UserService userService = new UserService();

user.addUserService(userService);
userService.setUser(user);

service.addUserService(userService);
userService.setService(service);

session.save(user);
session.save(service);
session.save(userService);

2
Solo per aggiungere .. Anche se questo è secondo me il modo migliore (preferisco sempre mappare la cosa che possiede l'FK come entità per motivi di prestazioni), in realtà non è l'unico modo. È inoltre possibile mappare i valori dalla tabella SERVICE_USER come componente (ciò che JPA definisce incorporabile) e utilizzare una delle @ElementCollectionentità Utente e Servizio (o entrambe).
Steve Ebersole,

6
Che dire della chiave primaria della tabella UserService? Dovrebbe essere la combinazione di chiavi esterne utente e di servizio. È mappato?
Jonas Gröger,

24
Non lo farei. I tasti compositi sono dolorosi, inefficienti e Hibernate consiglia di non utilizzare i tasti compositi. Basta usare un ID generato automaticamente come per qualsiasi altra entità e la vita sarà molto più semplice. Per garantire l'unicità di[userFK, serviceFK] , utilizzare un vincolo unico.
JB Nizet,

1
@GaryKephart: fai la tua domanda, con il tuo codice e la tua mappatura.
JB Nizet,

1
@gstackoverflow: Hibernate 4 non cambia nulla al riguardo. Davvero non vedo come sia inelegante.
JB Nizet

5

Cerco un modo per mappare una tabella di associazione molti-a-molti con colonne aggiuntive con ibernazione nella configurazione di file xml.

Supponendo di avere due tabelle 'a' & 'c' con molte o molte associazioni con una colonna chiamata 'extra'. Perché non ho trovato nessun esempio completo, ecco il mio codice. Spero che possa aiutare :).

Innanzitutto ecco gli oggetti Java.

public class A implements Serializable{  

    protected int id;
    // put some others fields if needed ...   
    private Set<AC> ac = new HashSet<AC>();

    public A(int id) {
        this.id = id;
    }

    public int getId() {
        return id;
    }

    public void setId(int id) {
        this.id = id;
    }

    public Set<AC> getAC() {
        return ac;
    }

    public void setAC(Set<AC> ac) {
        this.ac = ac;
    }

    /** {@inheritDoc} */
    @Override
    public int hashCode() {
        final int prime = 97;
        int result = 1;
        result = prime * result + id;
        return result;
    }

    /** {@inheritDoc} */
    @Override
    public boolean equals(Object obj) {
        if (this == obj)
            return true;
        if (obj == null)
            return false;
        if (!(obj instanceof A))
            return false;
        final A other = (A) obj;
        if (id != other.getId())
            return false;
        return true;
    }

}

public class C implements Serializable{

    protected int id;
    // put some others fields if needed ...    

    public C(int id) {
        this.id = id;
    }

    public int getId() {
        return id;
    }

    public void setId(int id) {
        this.id = id;
    }

    /** {@inheritDoc} */
    @Override
    public int hashCode() {
        final int prime = 98;
        int result = 1;
        result = prime * result + id;
        return result;
    }

    /** {@inheritDoc} */
    @Override
    public boolean equals(Object obj) {
        if (this == obj)
            return true;
        if (obj == null)
            return false;
        if (!(obj instanceof C))
            return false;
        final C other = (C) obj;
        if (id != other.getId())
            return false;
        return true;
    }

}

Ora dobbiamo creare la tabella delle associazioni. Il primo passo è creare un oggetto che rappresenti una chiave primaria complessa (a.id, c.id).

public class ACId implements Serializable{

    private A a;
    private C c;

    public ACId() {
        super();
    }

    public A getA() {
        return a;
    }
    public void setA(A a) {
        this.a = a;
    }
    public C getC() {
        return c;
    }
    public void setC(C c) {
        this.c = c;
    }
    @Override
    public int hashCode() {
        final int prime = 31;
        int result = 1;
        result = prime * result + ((a == null) ? 0 : a.hashCode());
        result = prime * result
                + ((c == null) ? 0 : c.hashCode());
        return result;
    }
    @Override
    public boolean equals(Object obj) {
        if (this == obj)
            return true;
        if (obj == null)
            return false;
        if (getClass() != obj.getClass())
            return false;
        ACId other = (ACId) obj;
        if (a == null) {
            if (other.a != null)
                return false;
        } else if (!a.equals(other.a))
            return false;
        if (c == null) {
            if (other.c != null)
                return false;
        } else if (!c.equals(other.c))
            return false;
        return true;
    }
}

Ora creiamo l'oggetto associazione stesso.

public class AC implements java.io.Serializable{

    private ACId id = new ACId();
    private String extra;

    public AC(){

    }

    public ACId getId() {
        return id;
    }

    public void setId(ACId id) {
        this.id = id;
    }

    public A getA(){
        return getId().getA();
    }

    public C getC(){
        return getId().getC();
    }

    public void setC(C C){
        getId().setC(C);
    }

    public void setA(A A){
        getId().setA(A);
    }

    public String getExtra() {
        return extra;
    }

    public void setExtra(String extra) {
        this.extra = extra;
    }

    public boolean equals(Object o) {
        if (this == o)
            return true;
        if (o == null || getClass() != o.getClass())
            return false;

        AC that = (AC) o;

        if (getId() != null ? !getId().equals(that.getId())
                : that.getId() != null)
            return false;

        return true;
    }

    public int hashCode() {
        return (getId() != null ? getId().hashCode() : 0);
    }
}

A questo punto, è tempo di mappare tutte le nostre classi con la configurazione xml ibernata.

A.hbm.xml e C.hxml.xml (quiete lo stesso).

<class name="A" table="a">
        <id name="id" column="id_a" unsaved-value="0">
            <generator class="identity">
                <param name="sequence">a_id_seq</param>
            </generator>
        </id>
<!-- here you should map all others table columns -->
<!-- <property name="otherprop" column="otherprop" type="string" access="field" /> -->
    <set name="ac" table="a_c" lazy="true" access="field" fetch="select" cascade="all">
        <key>
            <column name="id_a" not-null="true" />
        </key>
        <one-to-many class="AC" />
    </set>
</class>

<class name="C" table="c">
        <id name="id" column="id_c" unsaved-value="0">
            <generator class="identity">
                <param name="sequence">c_id_seq</param>
            </generator>
        </id>
</class>

E quindi il file di mappatura dell'associazione, a_c.hbm.xml.

<class name="AC" table="a_c">
    <composite-id name="id" class="ACId">
        <key-many-to-one name="a" class="A" column="id_a" />
        <key-many-to-one name="c" class="C" column="id_c" />
    </composite-id>
    <property name="extra" type="string" column="extra" />
</class>

Ecco l'esempio di codice da testare.

A = ADao.get(1);
C = CDao.get(1);

if(A != null && C != null){
    boolean exists = false;
            // just check if it's updated or not
    for(AC a : a.getAC()){
        if(a.getC().equals(c)){
            // update field
            a.setExtra("extra updated");
            exists = true;
            break;
        }
    }

    // add 
    if(!exists){
        ACId idAC = new ACId();
        idAC.setA(a);
        idAC.setC(c);

        AC AC = new AC();
        AC.setId(idAC);
        AC.setExtra("extra added"); 
        a.getAC().add(AC);
    }

    ADao.save(A);
}

1

Come detto in precedenza, con JPA, per avere la possibilità di avere colonne aggiuntive, è necessario utilizzare due associazioni OneToMany, anziché una singola relazione ManyToMany. È inoltre possibile aggiungere una colonna con valori generati automaticamente; in questo modo, può funzionare come chiave primaria della tabella, se utile.

Ad esempio, il codice di implementazione della classe aggiuntiva dovrebbe apparire così:

@Entity
@Table(name = "USER_SERVICES")
public class UserService{

    // example of auto-generated ID
    @Id
    @Column(name = "USER_SERVICES_ID", nullable = false)
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private long userServiceID;



    @ManyToOne(fetch = FetchType.LAZY)
    @JoinColumn(name = "USER_ID")
    private User user;

    @ManyToOne(fetch = FetchType.LAZY)
    @JoinColumn(name = "SERVICE_ID")
    private Service service;



    // example of extra column
    @Column(name="VISIBILITY")    
    private boolean visibility;



    public long getUserServiceID() {
        return userServiceID;
    }


    public User getUser() {
        return user;
    }

    public void setUser(User user) {
        this.user = user;
    }

    public Service getService() {
        return service;
    }

    public void setService(Service service) {
        this.service = service;
    }

    public boolean getVisibility() {
        return visibility;
    }

    public void setVisibility(boolean visibility) {
        this.visibility = visibility;
    }

}
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.