The Microsoft Graph .NET Client Library is made up of 6 major components:
- A client object
- An authentication provider
- An HTTP provider + serializer
- Request builder objects
- Request objects
- Property bag object model classes for serialization and deserialization
The library is designed to be highly extensible. This overview covers basic scenarios but many of the individual components can be replaced with custom implementations.
To begin making requests with the library, you will need to initialize a GraphServiceClient instance for building and sending requests.
Parameter | Required? | Default Value |
---|---|---|
string baseUrl |
No | https://graph.microsoft.com/currentServiceVersion |
IAuthenticationProvider authenticationProvider |
Yes | n/a |
IHttpProvider httpProvider |
No | new HttpProvider(new Serializer()) |
The authentication provider is responsible for authenticating requests before sending them to the service. The Microsoft Graph .NET Client Library doesn't implement any authentication by default. Instead, you will need to retrieve access tokens for the service via the authentication library of your choice or by coding against one of the authentication endpoints directly. Please read here for more details about authenticating the Microsoft Graph service.
The DelegateAuthenticationProvider
is an implementation of IAuthenticationProvider
that accepts a delegate to call during AuthenticateRequestAsync
. This is the simplest way to append a retrieved access token to a request message:
var graphServiceClient = new GraphServiceClient(new DelegateAuthenticationProvider((requestMessage) => {
requestMessage
.Headers
.Authorization = new AuthenticationHeaderValue("Bearer", accessToken);
return Task.CompletedTask;
}));
Microsoft Graph service resource are represented by property bag model classes of the same name in the client library. For example, the user resource is represented by the user class in the client library. Each of these model classes contain properties that represent the properties of the resources they represent.
These classes are used for serializing and deserializing the resources in requests to the service. They do not contain any logic to issue requests.
The resource model classes are generated based on the $metadata description of the service.
To make requests against the service, you'll need to build a request using the request builders of the client. The request builders are responsible for building the request URL while the Request()
method of a request builder will build the request object. The request builder patterns are intended to mirror the REST API pattern.
Note: Request and request builder classes are generated based on the $metadata description of the service. Interfaces are provided for each of these classes to enable easy unit testing around the logic contained in the classes. Since these interfaces are also generated, their signatures are subject to change without being considered a breaking change in the library. Anybody consuming these interfaces should be prepared for the class names or interface definitions to change between library versions.
You get the first request builder from the GraphServiceClient
object. For example, to get a request builder for the /me navigation you call:
Task | SDK | URL |
---|---|---|
Get me | graphServiceClient.Me | GET graph.microsoft.com/v1.0/me |
The call will return an IUserRequestBuilder
object. From Me you can continue to chain the request builders.
The Microsoft Graph service documentation has more details about the full functionality of the API.
After you build the request you call the Request
method on the request builder. This will construct the request object needed to make calls against the service.
For /me/calendar you call:
var calendarRequest = graphServiceClient
.Me
.Calendar
.Request();
All request builders have a Request
method that can generate a request object. Request objects may have different methods on them depending on the type of request. To get /me/calendar you call:
var calendar = await graphServiceClient
.Me
.Calendar
.Request()
.GetAsync();
Any errors while building or sending a request will bubble up as a ServiceException
. See errors for more information on errors.
If you only want to retrieve certain properties of a resource you can select them. Here's how to get only the ID of the me object:
var user = await graphServiceClient
.Me
.Request()
.Select("id")
.GetAsync();
All properties other than Id
will be null on the returned user object.
Expand, Skip, Top, OrderBy, and Filter are also supported via the client library when supported by the Microsoft Graph service for the request type.
If you need to include more specific behavior during a request that is not supported by the library, you can create a custom queryOptions List that you can add when calling Request
:
List<QueryOption> options = new List<QueryOption>
{
new QueryOption("$search", "lunch")
};
var messages = await client.Me.Messages.Request(options).GetAsync();
Please see collections for details on collections and paging.
Sometimes, the functionality that you want to use isn't a part of the .NET client library. In this case, you can still use the client library to make your life easier. The client library can authenticate your requests and provide you the serializers. Here's an example of using the client library to create a OneNote page and deserialize the response object.
public async Task OneNoteAddPageHtml()
{
// Get a page of OneNote sections.
IOnenoteSectionsCollectionPage sectionPage = await graphClient.Me.Onenote.Sections.Request().GetAsync();
// Get a handle to the first section.
string sectionId = sectionPage[0].Id;
// Get the request URL for adding a page.
string requestUrl = graphClient.Me.Onenote.Sections[sectionId].Pages.Request().RequestUrl;
string htmlBody = @"<!DOCTYPE html><html><head><title>OneNoteAddPageHtml created this</title></head>
<body>Generated with love</body></html> ";
// Create the request message and add the content.
HttpRequestMessage hrm = new HttpRequestMessage(HttpMethod.Post, requestUrl);
hrm.Content = new StringContent(htmlBody, System.Text.Encoding.UTF8, "text/html");
// Authenticate (add access token) our HttpRequestMessage
await graphClient.AuthenticationProvider.AuthenticateRequestAsync(hrm);
// Send the request and get the response.
HttpResponseMessage response = await graphClient.HttpProvider.SendAsync(hrm);
// Get the OneNote page that we created.
if (response.IsSuccessStatusCode)
{
// Deserialize into OneNotePage object.
var content = await response.Content.ReadAsStringAsync();
OnenotePage page = graphClient.HttpProvider.Serializer.DeserializeObject<OnenotePage>(content);
}
else
throw new ServiceException(
new Error
{
Code = response.StatusCode.ToString(),
Message = await response.Content.ReadAsStringAsync()
});
}