16

我在尝试检索单个记录时尝试查询我的 Azure DocumentDb 存储帐户时遇到问题。这是我的 WebAPI 代码:

// Controller...
public AccountController : ApiController {
    // other actions...

    [HttpGet]
    [Route("Profile")]
    public HttpResponseMessage Profile()
    {
        var userId = User.Identity.GetUserId();
        var rep = new DocumentRepository<UserDetail>();
        var profile = rep.FindById(userId);

        if (profile == null)
            return Request.CreateErrorResponse(HttpStatusCode.NotFound, "Profile not found");

        return Request.CreateResponse(HttpStatusCode.OK, profile);
    }
}

// Repository
public class DocumentRepository<TEntity> : IDocumentRepository<TEntity> where TEntity : IIdentifiableEntity
{
    private static DocumentClient _client;
    private static string _databaseName;
    private static string _documentsLink;
    private static string _selfLink;

    public DocumentRepository()
    {
        _client = new DocumentClient(new Uri(ConfigurationManager.AppSettings["DocumentDbEndpointUrl"]), ConfigurationManager.AppSettings["DocumentDbAuthKey"]);
        _databaseName = ConfigurationManager.AppSettings["DocumentDbDatabaseName"];
        var _database = ReadOrCreateDatabase();

        var collection = InitialiseCollection(_database.SelfLink, EntityName);
        _documentsLink = collection.DocumentsLink;
        _selfLink = collection.SelfLink;
    }

    // other methods...

    public TEntity FindById(string id)
    {
        return _client.CreateDocumentQuery<TEntity>(_documentsLink).SingleOrDefault(u => u.Id.ToString() == id);
    }
}

正是这种FindById方法导致了以下问题:

Microsoft.Azure.Documents.Client.dll 中出现“Microsoft.Azure.Documents.Linq.DocumentQueryException”类型的异常,但未在用户代码中处理

附加信息:查询表达式无效,表达式返回类型
Foo.Models.DocumentDbEntities.UserDetail 不受支持。查询必须评估为 IEnumerable。

我不明白这个错误是什么意思,或者我如何修复它。我不希望返回一个IEnumerable或任何后代类,因为此方法将返回一个01记录。如果我删除该SingleOrDefault子句并将返回类型更改为 an ,它会起作用IQueryable,但这不是我想要的。

4

2 回答 2

30

SingleOrDefault()不支持,但在 LINQ 提供程序中。

将此更改为.Where(u => u.Id.ToString() == id).AsEnumberable().FirstOrDefault();

于 2014-11-04T01:25:26.483 回答
1

我不能说为什么 Ryan 的语法停止为您工作,但是您应该能够通过使用带有明确定义的查询字符串的 CreateDocumentQuery<>() 重载而不是使用 .Where() 来解决它而不会造成额外的性能损失:

string query = string.Format("SELECT * FROM docs WHERE docs.id = \"{0}\"", id);
return _client.CreateDocumentQuery<TEntity>(DocumentsLink, query).AsEnumerable().FirstOrDefault();

您可能需要稍微处理一下查询,但这种形式的东西应该可以工作。

于 2014-11-06T16:47:40.557 回答