Microsoft Graph仅返回前100个用户

时间:2019-06-21 16:38:04

标签: c# microsoft-graph microsoft-graph-sdks

我有以下代码,该代码根据过滤器返回所有用户。问题是它只能返回100个用户,但我知道还有更多的用户。

private List<User> GetUsersFromGraph()
{
    if (_graphAPIConnectionDetails == null) ReadParametersFromXML();
    if (graphServiceClient == null) graphServiceClient = CreateGraphServiceClient();

    var users = graphServiceClient
        .Users
        .Request()
        .Filter(_graphAPIConnectionDetails.UserFilter)
        .Select(_graphAPIConnectionDetails.UserAttributes)
        .GetAsync()
        .Result
        .ToList<User>();

    return users;
}

该方法仅返回100个用户对象。我的Azure门户管理员报告应该接近60,000。

1 个答案:

答案 0 :(得分:1)

Microsoft Graph中的大多数端点返回页面中的数据,其中包括/users

为了检索其余结果,您需要浏览以下页面:

private async Task<List<User>> GetUsersFromGraph()
{
    if (_graphAPIConnectionDetails == null) ReadParametersFromXML();
    if (graphServiceClient == null) graphServiceClient = CreateGraphServiceClient();

    // Create a bucket to hold the users
    List<User> users = new List<User>();

    // Get the first page
    IGraphServiceUsersCollectionPage usersPage = await graphClient
        .Users
        .Request()
        .Filter("filter string")
        .Select("property string")
        .GetAsync();

    // Add the first page of results to the user list
    users.AddRange(usersPage.CurrentPage);

    // Fetch each page and add those results to the list
    while (usersPage.NextPageRequest != null)
    {
        usersPage = await usersPage.NextPageRequest.GetAsync();
        users.AddRange(usersPage.CurrentPage);
    }

    return users;
}

这里有一个非常重要的说明,该方法是从Graph(或实际上是任何REST API)检索数据的最有效的方法。您的应用程序在下载所有这些数据时会坐在那里很长时间。此处的正确方法是获取每个页面并在获取其他数据之前先处理该页面