问题
I am trying to return items from cosmosDB using PageSize
and PageNumber
. I know we can set the page size in MaxItemCount
, but how do we put the page number in this function?
Here's what I got so far:
public async Task<IEnumerable<T>> RunSQLQueryAsync(string queryString, int pageSize, int pageNumber)
{
var feedOptions = new FeedOptions { MaxItemCount = pageSize, EnableCrossPartitionQuery = true };
IQueryable<T> filter = _client.CreateDocumentQuery<T>(_collectionUri, queryString, feedOptions);
IDocumentQuery<T> query = filter.AsDocumentQuery();
var currentPageNumber = 0;
var documentNumber = 0;
List<T> results = new List<T>();
while (query.HasMoreResults)
{
foreach (T t in await query.ExecuteNextAsync())
{
results.Add(t);
documentNumber++;
}
currentPageNumber++;
return results;
}
return null;
}
回答1:
Currently, the pagination support is based on continuation token only.
Find below some interesting discussion and feature request about this limitation:
- https://github.com/Azure/azure-documentdb-dotnet/issues/377
- https://feedback.azure.com/forums/263030-azure-cosmos-db/suggestions/6350987--documentdb-allow-paging-skip-take
--- Continuation Token Example ---
The following example illustrates a method (very similar to yours) that queries documents based on the desired page number, page size and continuation token:
private static async Task<KeyValuePair<string, IEnumerable<CeleryTask>>> QueryDocumentsByPage(int pageNumber, int pageSize, string continuationToken)
{
DocumentClient documentClient = new DocumentClient(new Uri("https://{CosmosDB/SQL Account Name}.documents.azure.com:443/"), "{CosmosDB/SQL Account Key}");
var feedOptions = new FeedOptions {
MaxItemCount = pageSize,
EnableCrossPartitionQuery = true,
// IMPORTANT: Set the continuation token (NULL for the first ever request/page)
RequestContinuation = continuationToken
};
IQueryable<CeleryTask> filter = documentClient.CreateDocumentQuery<CeleryTask>("dbs/{Database Name}/colls/{Collection Name}", feedOptions);
IDocumentQuery<CeleryTask> query = filter.AsDocumentQuery();
FeedResponse<CeleryTask> feedRespose = await query.ExecuteNextAsync<CeleryTask>();
List<CeleryTask> documents = new List<CeleryTask>();
foreach (CeleryTask t in feedRespose)
{
documents.Add(t);
}
// IMPORTANT: Ensure the continuation token is kept for the next requests
return new KeyValuePair<string, IEnumerable<CeleryTask>>(feedRespose.ResponseContinuation, documents);
}
Now, the following example illustrates how to retrieve documents for a given page by calling the previous method:
private static async Task QueryPageByPage()
{
// Number of documents per page
const int PAGE_SIZE = 3;
int currentPageNumber = 1;
int documentNumber = 1;
// Continuation token for subsequent queries (NULL for the very first request/page)
string continuationToken = null;
do
{
Console.WriteLine($"----- PAGE {currentPageNumber} -----");
// Loads ALL documents for the current page
KeyValuePair<string, IEnumerable<CeleryTask>> currentPage = await QueryDocumentsByPage(currentPageNumber, PAGE_SIZE, continuationToken);
foreach (CeleryTask celeryTask in currentPage.Value)
{
Console.WriteLine($"[{documentNumber}] {celeryTask.Id}");
documentNumber++;
}
// Ensure the continuation token is kept for the next page query execution
continuationToken = currentPage.Key;
currentPageNumber++;
} while (continuationToken != null);
Console.WriteLine("\n--- END: Finished Querying ALL Dcuments ---");
}
回答2:
Skip & take is now available in Cosmos DB via a new OFFSET LIMIT clause: https://docs.microsoft.com/en-us/azure/cosmos-db/sql-query-offset-limit
回答3:
public static List pagination(int pageNo=1,int pageSize=20) { List ArticlesList = new List(); var collection = UriFactory.CreateDocumentCollectionUri(databaseName, loginCollectionId);
using (client = new DocumentClient(new Uri(endpointUrl), primaryKey))
{
var optionss = new FeedOptions
{
MaxItemCount = (pageNo!=1)?((pageNo-1)*pageSize): ((pageNo) * pageSize)
};
var query1 = client.CreateDocumentQuery<ArticlesListDetails>(collection, optionss).OrderByDescending(x => x._ts).AsDocumentQuery();
var res = query1.ExecuteNextAsync<ArticlesListDetails>().Result;
if (pageNo == 1)
{
return ArticlesList = res.ToList();
}
else
{
var options = new FeedOptions
{
MaxItemCount = pageSize,
RequestContinuation = res.ResponseContinuation
};
var query = client.CreateDocumentQuery<ArticlesListDetails>(collection, options).OrderByDescending(x => x._ts).AsDocumentQuery();
while (query.HasMoreResults)
{
return ArticlesList = query.ExecuteNextAsync<ArticlesListDetails>().Result.ToList();
}
}
return ArticlesList;
}
}
回答4:
There is a workaround, but it is not optimal:
...
int pageNumber = 1;
int pageSize = 10;
...
var query = Client.CreateDocumentQuery<T>(
UriFactory.CreateDocumentCollectionUri(DatabaseId, CollectionId),
new FeedOptions { MaxItemCount = pageNumber * pageSize }) // Limit count or returned items
.Where(predicate)
.AsDocumentQuery();
var results = new List<T>();
int resultsToSkip = (pageNumber - 1) * pageSize;
while (query.HasMoreResults)
{
var result = await query.ExecuteNextAsync<T>();
// Skip pages, not optimal way, the best solution is to use RequestContinuation token.
if (resultsToSkip > 0)
{
resultsToSkip--;
continue;
}
results.AddRange(result);
}
return results;
...
来源:https://stackoverflow.com/questions/51164399/pagination-in-cosmos-db-using-page-size-and-page-number