EF Core(Entity Framework Core)에서 즉시 로드는 사전 로드를 위한 기술입니다. 여러 데이터베이스 쿼리를 피하기 위해 기본 엔터티와 함께 관련 엔터티를 가져옵니다. 그러나 특정 시나리오에서는 깊게 중첩된 항목을 즉시 로드하려고 할 때 제한 사항이 발생할 수 있습니다.
다음 시나리오를 고려하십시오.
public class Order { public int Id { get; set; } public string Name { get; set; } public int CustomerId { get; set; } public Customer Customer { get; set; } } public class Customer { public int Id { get; set; } public string Name { get; set; } public int AddressId { get; set; } public Address Address { get; set; } } public class Address { public int Id { get; set; } public string PostCode { get; set; } public string City { get; set; } }
시도할 때 include(nameof(Customer)).ThenInclude(nameof(Address))를 사용하여 주문을 로드하려면 Customer 엔터티의 Address 속성이 null임을 확인할 수 있습니다. 이는 EF Core가 기본적으로 모든 중첩된 관련 엔터티의 즉시 로드를 지원하지 않기 때문에 발생합니다.
안타깝게도 현재 EF Core에서 깊게 중첩된 모든 엔터티의 즉시 로딩에 대한 공식 지원은 없습니다. . 그러나 이를 달성하기 위해 사용할 수 있는 두 가지 사용자 정의 확장 방법이 있습니다.
Include Extension:
public static IQueryable<T> Include<T>(this IQueryable<T> source, IEnumerable<string> navigationPropertyPaths) where T : class { return navigationPropertyPaths.Aggregate(source, (query, path) => query.Include(path)); }
GetIncludePaths Extension:
public static IEnumerable<string> GetIncludePaths(this DbContext context, Type clrEntityType, int maxDepth = int.MaxValue) { ... }
일반에서 저장소에서 다음과 같이 GetAllAsync 메서드를 수정할 수 있습니다.
public virtual async Task<IEnumerable<T>> GetAllAsync(Expression<Func<T, bool>> predicate = null) { var query = Context.Set<T>() .Include(Context.GetIncludePaths(typeof(T)); if (predicate != null) query = query.Where(predicate); return await query.ToListAsync(); }
이러한 확장 메서드를 사용하면 지정된 유형에 대해 중첩된 모든 관련 엔터티를 즉시 로드할 수 있습니다.
위 내용은 Entity Framework Core에서 깊게 중첩된 엔터티를 즉시 로드하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!