我有以下代码
var contact = repository.GetContacts.Where(p => p.ID == id);
repository.DeleteContact(contact);
变量&#34;联系&#34;类型为IQueryable<Contact>
,DeleteContact()
方法采用Contact对象。
如何将联系人从IQueryable<Contact>
投射/转换为Contact
?
答案 0 :(得分:2)
那是因为Where
子句返回IQueryable<Contact>
(联系人集合),而不是单个联系人(即使该集合中只有一个项目)。
我们想到的两个选项是删除所有的联系人:
foreach (var contact in repository.GetContacts.Where(p => p.ID == id).ToList())
{
repository.DeleteContact(contact);
}
或者如果您只期望一个或没有,您可以使用SingleOrDefault
来获得一个联系人:
var contact = repository.GetContacts.SingleOrDefault(p => p.ID == id);
// If it's not null, delete it
if (contact != null) repository.DeleteContact(contact);