2

这是我试图为 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 应用程序中执行。

这有什么问题吗?

或者有什么更好的方法来获得结果?

任何帮助将不胜感激。

提前致谢。

4

5 回答 5

2

尝试使用

FeedResponse pagedResults = query.ExecuteNextAsync().Result;

检查这个

于 2015-05-13T06:44:02.607 回答
2
FeedResponse pagedResults = query.ExecuteNextAsync().Result;

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

于 2016-07-26T08:08:13.827 回答
2

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

query.ExecuteNextAsync().ConfigureAwait(false)
于 2016-10-25T05:06:02.897 回答
1

FeedResponse pagedResults = query.ExecuteNextAsync().Result;

its working fine for me, but I need the reason why it is not working

于 2015-03-12T11:04:42.160 回答
0

不要使用 ConfigureAwait(false) 因为你不会得到结果。此外,不要将异步代码与同步代码混合。这是灾难的收据。即使有人说 .Result -works-,相信我,它也不会在异步上下文中运行的服务器环境中。-为什么-它不起作用,说来话长。我现在不会尝试解释:)

所以去做这个:

 public async List<Student> allStudentsAsync()
        {

         result = new List<Student>();
        while (query.HasMoreResults)
        {
            var response = await query.ExecuteNextAsync<T>();
                         result.AddRange(response);
        }
于 2017-04-14T08:12:21.240 回答