0

我有这门课

        using System;
    using System.Collections.Generic;
    using System.Linq;
    using System.Web;
    using System.ComponentModel.DataAnnotations;

    namespace IVF_EHR.Models
    {
        public class SemenProcess
        {
            public Guid SemenProcessID { get; set; }

            public virtual List<CollectionMethod> CollectionMethods { get; set; }

            public SemenProcess()
            {
                SemenProcessID = Guid.NewGuid();
                CollectionMethods = new List<CollectionMethod>();
            }

        }
    }

如您所见,此类与此类具有关系宽度

            using System;
    using System.Collections.Generic;
    using System.Linq;
    using System.Web;
    using System.ComponentModel.DataAnnotations;
    using System.ComponentModel.DataAnnotations.Schema;
    using DevExpress.Web.ASPxEditors;

    namespace IVF_EHR.Models
    {
        public class CollectionMethod
        {

            [Key]
            public int CollectionMethodID { get; set; }
            [Required]
            [MaxLength(50)]
            public string Title { get; set; }

            public virtual List<SemenProcess> SemenProcesss { get; set; }

            public CollectionMethod()
            {
                CollectionMethodID = 0;
                Title = "";
                SemenProcesss = new List<SemenProcess>();
            }

        }
    }

这2类之间的关系是多对多的。我需要编写一个性能良好的 linq 查询来执行此操作

select dbo.GetWokeTitle(s.SemenProcessID)[woleTitle] , * from [SemenProcesses] [s] 

dbo.GetWokeTitle就像这样

    CREATE FUNCTION GetWokeTitle
    (
        @SemenProcessID uniqueidentifier 
    )
    RETURNS nvarchar(max)
    AS
    BEGIN
        declare @result nvarchar(max)

        set @result = '';
        select @result = @result + title  from [SemenProcessCollectionMethods] [sc] inner join [CollectionMethods] [c] on c.[CollectionMethodID]=sc.[CollectionMethod_CollectionMethodID]
        where sc.SemenProcess_SemenProcessID=@SemenProcessID

        -- Return the result of the function
        RETURN @result

    END
    GO

我使用 ADO.NET Entity Framework,我需要编写一个与上述 SQL 代码相同的 linq 查询。还有一件事我无法执行 .ToList() 以解决性能问题,我需要生成一个查询而不执行该查询。实际上我有一个控件,该控件控制使用查询而不是对象列表,并且该控件自行执行查询。我可以在实体中创建视图并使用该视图,但我想要其他东西,这可能是最后一种方式

4

1 回答 1

0

这是我推荐的。像这样创建一个 ViewModel:

public class SemenProcessViewModel
{
  public string WokeTitle { get; set; }
  public SemenProcess SemenProcess { get; set; }
}

然后,您的 linq 查询将是这样的:

var semenProcessViewModel = db.SemenProcesses
   .Where(s => s.SemenProcessID == semenProcessID).ToList()
   .Select(s => new SemenProcessViewModel {
       SemenProcess = s,
       WokeTitle = string.Join("", s.CollectionMethods.Select(c => c.Title))
   }).SingleOrDefault();
于 2013-07-20T17:30:37.683 回答