1

EF Linq context.Entities.Select(x => new Y {...}) 투영에서 반환 된 개체에 종속성을 주입하는 방법이 있습니까? (이것은 단지 구문 오류/불완전 죄송합니다, 컴파일되지,에 입력)Entity Framework 엔터티 및 프로젝트에 종속성 삽입

// person MAY be an entity, but probably more likely a class to serve a purpose 
public class Person { 
    public string Name 
    public DateTime DOB {get;set; } 

    // what I want to achieve: note, I don't want to have complex logic in my model, I want to pass this out to a Service to determine.. obviously this example is over simplified... 
    // this could be a method or a property with a get accessor 
    public bool CanLegallyVote() 
    { 
    return _someServiceThatWasInjected.IsVotingAge(this.DOB); 
    } 

    private readonly ISomeService _someServiceThatWasInjected; 
    public Person (ISomeService service) 
    { 
    _someServiceThatWasInjected = service; 
    } 
} 

// then calling code... I can't pass ISomeService into the "new Person", as "Additional information: Only parameterless constructors and initializers are supported in LINQ to Entities." 

// If the above model represents a non-entity... 
var person = context.People.Select(person => new Person {Name = x.Name, DOB = x.DateOfBirth}).First; 
// OR, if the above model represents an EF entity... 
var person = context.People.First(); 

if (person.CanLegallyVote()) {...} 

// I don't want to invoke the service from the calling code, because some of these properties might chain together inside the model, I.e. I do not want to do the following: 
if (_service.CanLegallyVote(person.DOB)) 

은 : 내가 달성하기 위해 노력하고 일의

정렬 (I 단순 인젝터를 사용하고 있지만, 개념은 유지) Linq/Entity Framework에서 모델을 생성 할 때 DI를 통해 객체를 전달할 수있는 고리가 있습니까?

답변

5

ObjectContext.ObjectMaterialized 이벤트가 있습니다. 당신은 그것을 연결할 수 있습니다. 그러나 일반적으로 도메인 엔터티에 도메인 서비스를 주입하는 것은 좋지 않습니다. 이 주제에 대한 많은 기사를 찾을 수 있습니다.

4

@Oryol은 바로 the other way around 인 것처럼 is a bad idea을 구성하는 동안 도메인 구성 요소에 응용 프로그램 구성 요소를 주입합니다.

한 가지 해결책은 생성자 주입 대신 메소드 주입을 사용하는 것입니다. 즉, 각 도메인 메소드는 메소드 인수로 필요한 서비스를 정의합니다. 예 :

public bool CanLegallyVote(ISomeService service) { ... } 
+0

내 Linq 쿼리는 도메인 객체 일 필요는없는 모델로 투영을 반환합니다. 그런 다음 객체를 직렬화하여 클라이언트에 보내고 싶습니다. 직렬화하기 전에 엔티티를 "처리"할 필요가 없다는 것이 좋습니다. 뭔가 (C# 6 구문)'public bool CanLegallyVote => _service.CanLegallyVote (this.DOB)'는 단지 직렬화한다는 것을 의미합니다. 그러나 나쁜 설계로 간주되는 경우 다른 방법을 고려해야합니다. – AndrewP

+0

리포지토리 및 어댑터 패턴과 관련된 .Net Junkie 링크 예제가 가장 가까운 예입니다. 내 "사람"모델에 "CanLegallyVote"속성이 있지만 그 의미가 구현되지 않았 으면합니다. 내 생각은 매개 변수를 사용하고 bool을 반환하는 서비스가된다는 것입니다. 이제는 간단한 메서드 호출로이 작업을 수행 할 수 있지만 개체를 ​​serialize 할 수는 없습니다. 아마 나를위한 더 좋은 디자인은 사람을 데리고 평가하고 직렬화 가능한 문자열을 반환하는 클래스를 갖는 것일까? – AndrewP

+0

@AndrewP : 제 경험은 행동과 데이터의 분리를 위해 노력해야한다는 것입니다. 투영 및 기타 DTO에 논리가 포함되도록 할 때 특히 종속성이있는 경우 응용 프로그램을 복잡하게 만듭니다. IMO가 할 수있는 일은 투영 중에 'CanLegallyVote'값을 미리 계산하는 것입니다. 그래야 행동이없는 DTO를 가질 수 있습니다. (Person => 새로운 PersonDto {Name = x.Name, CanLegallyVote = _service.CanLegallyVote (person .DOB)}))' – Steven