web-dev-qa-db-fra.com

EF Code Premier - Relation facultative 1 à 1

Je souhaite mapper une relation de 1 à 1 facultative dans une base de données existante avec le code EF en premier.

Schéma simple:

User
 Username
 ContactID

Contact
 ID
 Name

Évidemment contacté se joint à contacter.Id. Le champ de contactid est nullable, la relation est donc facultative - 0 ou 1, jamais beaucoup.

Comment puis-je spécifier cette relation dans le code EF en premier, avec ce schéma existant?

Voici ce que j'ai essayé jusqu'à présent:

public class User
{
    [Key]
    public string Username { get; set; }
    public int? ContactID { get; set; }

    [ForeignKey("ContactID")]
    public virtual Contact Contact { get; set; }
}

public class Contact
{
    [Key]
    public int ID { get; set; }
    public string Name { get; set; }

    public virtual User User { get; set; }
}

modelBuilder.Entity<User>().HasOptional<Contact>(u=> u.Contact)
    .WithOptionalDependent(c => c.User);

Je reçois l'exception suivante:

  System.Data.Edm.EdmAssociationEnd: : Multiplicity is not valid in Role
 'User_Contact_Source' in relationship 'User_Contact'. Because the Dependent 
Role properties are not the key properties, the upper bound of the multiplicity 
of the Dependent Role must be *.
26
Chris Moschini

Une solution serait;

public class User
{
    [Key]
    public string Username { get; set; }

    public virtual Contact Contact { get; set; }
}

public class Contact
{
    [Key]
    public int ID { get; set; }
    public string Name { get; set; }

    public virtual User User { get; set; }
}

        modelBuilder.Entity<User>()
            .HasOptional<Contact>(u => u.Contact)
            .WithOptionalDependent(c => c.User).Map(p => p.MapKey("ContactID"));

Vous définissez uniquement vos objets de navigation dans vos pocos et vous utilisez plutôt une API fluide pour mapper votre clé de la colonne correcte.

42
Per