使用 Web 应用程序在 DocumentDB 中进行分页

问题描述 投票:0回答:5

这是我尝试为 DocumentDB 实现分页的代码,以获取 10 班 A 部分的所有学生。

它在控制台应用程序中运行良好。

但是当我尝试在我的 Web 应用程序中执行异步调用(即 query.ExecuteNextAsync())时,该进程正在终止,甚至没有给出任何异常。

public List<Student> allStudents()
        {
            int class = 10;
            string section = "A";
            string documentType = "Student";
            List<Student> students = new List<Student>();
            string DocumentDBCollectionLink = "CollectionLink";
            DocumentClient dc = new DocumentClient(new Uri("https://xyz.documents.azure.com:443/"), "authenticationKey==");
            IDocumentQuery<Student> query;
            String continuation = "";
            do
            {
                FeedOptions feedOptions = new FeedOptions { MaxItemCount = 10, RequestContinuation = continuation };
                query = dc.CreateDocumentQuery<Student>(DocumentDBCollectionLink, feedOptions).Where(d => d.Type.Equals(documentType) && d.Class.Equals(class) && d.Section.Equals(section)).AsDocumentQuery();

                FeedResponse<Student> pagedResults = this.getRecords(query).Result;
                foreach (Student system in pagedResults)
                {
                    students.Add(system);
                }
                continuation = pagedResults.ResponseContinuation;
            } while (!String.IsNullOrEmpty(continuation));
            return students;
        }
    private async Task<FeedResponse<Student>> getRecords(IDocumentQuery<Student> query)
    {
        FeedResponse<Student> pagedResults = await query.ExecuteNextAsync<Student>();
        return pagedResults;
    }

我不明白为什么它在控制台应用程序中执行,但不在 Web 应用程序中执行。

这有什么问题吗?

或者有更好的方法来得到结果吗?

任何帮助将不胜感激。

提前致谢。

c# azure pagination get azure-cosmosdb
5个回答
2
投票

尝试使用

FeedResponse pagedResults = query.ExecuteNextAsync().Result;

检查这个


2
投票
FeedResponse pagedResults = query.ExecuteNextAsync().Result;

该行以阻塞方式调用异步方法,在asp.net环境下可能会导致死锁。 请参阅:http://blog.stephencleary.com/2012/07/dont-block-on-async-code.html


2
投票

Web 调用中所有异步方法都应为ConfigureAwait(false)

query.ExecuteNextAsync().ConfigureAwait(false)

1
投票

FeedResponse pagedResults = query.ExecuteNextAsync().Result;

它对我来说工作正常,但我需要它不工作的原因


0
投票

不要使用ConfigureAwait(false),因为您将无法得到结果。 另外,请勿将异步代码与同步代码混合。这是灾难的收据。即使有人说 .Result 有效,相信我,它在异步上下文中运行的服务器环境中是行不通的。为什么它不起作用,这是一个很长的故事。我现在不会尝试解释:)

所以就这样做:

 public async List<Student> allStudentsAsync()
        {

         result = new List<Student>();
        while (query.HasMoreResults)
        {
            var response = await query.ExecuteNextAsync<T>();
                         result.AddRange(response);
        }
© www.soinside.com 2019 - 2024. All rights reserved.