无法将查询结果作为特定类型返回

时间:2015-01-11 05:32:14

标签: c# linq-to-sql

我在下面的GetStudentById方法中收到了以下错误消息。 "无法将system.linq.iqueryable转换为目标类型system.collections.generic.list"

Que:为什么我不能将结果作为studentDto列表返回

public class StudentRepository : IStudentRepository
{
    private TechCollegeEducationEntities db = new TechCollegeEducationEntities();

    public List<StudentDto> GetStudentById(string studentId)
    {
        List<StudentDto> objresult = from c in db.Students
            where c.StudentId == 1
            select c;
        return objresult;

    }

    public List<StudentDto> GetAllStudents()
    {
        throw new NotImplementedException();
    }
} 

这是我的Dto

public class StudentDto
{
    public Int32 StudentId { get; set; }
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string EmailAddress { get; set; }
    public string Department { get; set; }
}

我现在只是尝试了这个,它适用于我..

   return (from c in db.Students
                select new StudentDto
                {
                    FirstName = c.FirstName,
                    LastName = c.LastName,
                    Department = c.Department,
                    EmailAddress = c.EmailAddress
                }).ToList()

1 个答案:

答案 0 :(得分:2)

主要原因是LINQ返回IQueryable<T>,而不是List<T>,而IQueryable<T>无法自动转换为List<T>

在您的示例中,如果您确实想要返回List<T>,请致电ToList()

 List<StudentDto> objresult = db.Students.Where(c => c.StudentId == 1)
                                .Select(c => new StudentDto { 
                                       FirstName = c.FirstName, 
                                       LastName = c.LastName, 
                                       Department = c.Department, 
                                       EmailAddress = c.EmailAddress })
                                .ToList();
 return objresult;

上面的示例使用Lambda语法,因为我总觉得它比LINQ语法更具可读性。

但这种方式并不是最佳实践,因为它不支持延迟执行。您应该直接返回List<T>IQueryable<T>,而不是返回IEnumerable<T>

来自MSDN

public interface IQueryable<out T> : IEnumerable<T>, IQueryable, IEnumerable

这就是IEnumerable<T>可以使用的原因。

有一件事你还应该注意到这个答案中IQueryable<T>IEnumerable<T>之间的差异,你应该使用这个决定:

Returning IEnumerable<T> vs. IQueryable<T>