Note
Access to this page requires authorization. You can try signing in or changing directories.
Access to this page requires authorization. You can try changing directories.
Azure DevOps Server 2019
The pull request (PR) workflow allows developers to receive feedback on their code from peers and automated tools. Non-Microsoft tools and services can also participate in the PR workflow by using the PR Status API. This article guides you through creating a custom branch policy using Azure Functions to validate PRs in an Azure DevOps Git repository. Azure Functions eliminate the need to provision and maintain servers, even as your workload grows. They provide a fully managed compute platform with high reliability and security.
For more information about PR status, see Customize and extend pull request workflows with pull request status.
Prerequisites
| Category | Requirements | 
|---|---|
| Organization | An organization in Azure DevOps with a Git repository. | 
| Azure Function | An Azure Function, which implements a serverless, event-driven solution that integrates with Azure DevOps to create custom branch policies and automate PR validation. | 
| Service Hooks | Configure service hooks for PR events to notify your Azure function when a pull request changes. | 
| Personal Access Token (PAT) | Create a PAT with the Code (status) scope to have permission to change PR status. For more information, see Use PATs to authenticate. | 
Create a basic Azure Function to listen to Azure Repos events
Create your first Azure function. Then, modify the code in the sample to look like the following code:
using System;
using System.Net;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using Newtonsoft.Json;
public static async Task<HttpResponseMessage> Run(HttpRequestMessage req, TraceWriter log)
{
    try
    {
        log.Info("Service Hook Received.");
        // Get request body
        dynamic data = await req.Content.ReadAsAsync<object>();
        log.Info("Data Received: " + data.ToString());
        // Get the pull request object from the service hooks payload
        dynamic jObject = JsonConvert.DeserializeObject(data.ToString());
        // Get the pull request id
        int pullRequestId;
        if (!Int32.TryParse(jObject.resource.pullRequestId.ToString(), out pullRequestId))
        {
            log.Info("Failed to parse the pull request id from the service hooks payload.");
        };
        // Get the pull request title
        string pullRequestTitle = jObject.resource.title;
        log.Info("Service Hook Received for PR: " + pullRequestId + " " + pullRequestTitle);
        return req.CreateResponse(HttpStatusCode.OK);
    }
    catch (Exception ex)
    {
        log.Info(ex.ToString());
        return req.CreateResponse(HttpStatusCode.InternalServerError);
    }
}
Configure a service hook for PR events
Service hooks are an Azure DevOps feature that can alert external services when certain events occur. For this sample, set up a service hook for PR events, your Azure function is notified when a pull request changes. In order to receive POST requests when pull requests change, provide the service hook with the Azure function URL.
For this sample, configure two service hooks. The first is for the Pull request created event and the second is for the Pull request updated event.
- Get the function URL from the Azure portal by clicking the Get function URL in your Azure function view and copy the URL.   
- Browse to your project in Azure DevOps, for example, - https://dev.azure.com/<your organization>/<your project name>
- From the navigation menu, hover over the gear and select Service Hooks.  
- If it's your first service hook, select + Create subscription.  - If you already have other service hooks configured, select the green plus - (+)to create a new service hook subscription. 
- On the New Service Hooks Subscription dialog, select Web Hooks from the list of services, then select Next.  
- Select Pull request created from the list of event triggers, then select Next.  
- In the Action page, enter the URL that you copied in step 1 in the URL box. Select Test to send a test event to your server.  - In the Azure function log window, you see an incoming - POSTthat returned a- 200 OK, indicating your function received the service hook event.- HTTP Requests ------------- POST / 200 OK- In the Test Notification window, select the Response tab to see the details of the response from your server. You should see the response from your server.  
- Close the Test Notification window, and select Finish to create the service hook. 
Go through steps 2-8 again but this time configure the Pull request updated event.
Important
Be sure to go through the preceding steps twice and create service hooks for both the Pull request created and Pull request updated events.
Create a pull request to verify your Azure function is receiving notifications.
Post status to PRs
Now that your server can receive service hook events when new PRs are created, update it to post back status to the PR. You can use the JSON payload posted by the service hook in order to determine what status to set on your PR.
Update the code of your Azure function, similar to the following example.
Make sure to update the code with your organization name, project name, repository name, and PAT token. In order to have permission to change PR status, the PAT requires vso.code_status scope, which you can grant by selecting the Code (status) scope on the Create a personal access token page.
Important
This sample code stores the PAT in code, simplifying the sample. It is recommended to store secrets in KeyVault and retrieve them from there.
This sample inspects the PR title to see if the user indicated if the PR is a work in progress by adding WIP to the title. If so, the sample code changes the status posted back to the PR. Replace the code in your Azure function with the following code which updates the status posted back to the PR.
using System;
using System.Net;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using Newtonsoft.Json;
private static string organizationName = "[Organization Name]";  // Organization name
private static string projectName      = "[Project Name]";       // Project name
private static string repositoryName   = "[Repo Name]";          // Repository name
/*
    This is here just to simplify the sample, it is recommended to store
    secrets in KeyVault and retrieve them from there.
*/
private static string pat = "[PAT TOKEN]";
public static async Task<HttpResponseMessage> Run(HttpRequestMessage req, TraceWriter log)
{
    try
    {
        log.Info("Service Hook Received.");
        // Get request body
        dynamic data = await req.Content.ReadAsAsync<object>();
        log.Info("Data Received: " + data.ToString());
        // Get the pull request object from the service hooks payload
        dynamic jObject = JsonConvert.DeserializeObject(data.ToString());
        // Get the pull request id
        int pullRequestId;
        if (!Int32.TryParse(jObject.resource.pullRequestId.ToString(), out pullRequestId))
        {
            log.Info("Failed to parse the pull request id from the service hooks payload.");
        };
        // Get the pull request title
        string pullRequestTitle = jObject.resource.title;
        log.Info("Service Hook Received for PR: " + pullRequestId + " " + pullRequestTitle);
        PostStatusOnPullRequest(pullRequestId, ComputeStatus(pullRequestTitle));
        return req.CreateResponse(HttpStatusCode.OK);
    }
    catch (Exception ex)
    {
        log.Info(ex.ToString());
        return req.CreateResponse(HttpStatusCode.InternalServerError);
    }
}
private static void PostStatusOnPullRequest(int pullRequestId, string status)
{
    string Url = string.Format(
        @"https://dev.azure.com/{0}/{1}/_apis/git/repositories/{2}/pullrequests/{3}/statuses?api-version=4.1",
        organizationName,
        projectName,
        repositoryName,
        pullRequestId);
    using (HttpClient client = new HttpClient())
    {
        client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));
        client.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Basic", Convert.ToBase64String(
                ASCIIEncoding.ASCII.GetBytes(
                string.Format("{0}:{1}", "", pat))));
        var method = new HttpMethod("POST");
        var request = new HttpRequestMessage(method, Url)
        {
            Content = new StringContent(status, Encoding.UTF8, "application/json")
        };
        using (HttpResponseMessage response = client.SendAsync(request).Result)
        {
            response.EnsureSuccessStatusCode();
        }
    }
}
private static string ComputeStatus(string pullRequestTitle)
{
    string state = "succeeded";
    string description = "Ready for review";
    if (pullRequestTitle.ToLower().Contains("wip"))
    {
        state = "pending";
        description = "Work in progress";
    }
    return JsonConvert.SerializeObject(
        new
        {
            State = state,
            Description = description,
            TargetUrl = "https://visualstudio.microsoft.com",
            Context = new
            {
                Name = "PullRequest-WIT-App",
                Genre = "pr-azure-function-ci"
            }
        });
}
Create a new PR and test the status server
Now that your server is running and listening for service hook notifications, create a pull request to test it out.
- Start in the files view. Edit the readme.md file in your repo (or any other file if you don't have a readme.md).  
- Make an edit and commit the changes to the repo.  
- Be sure to commit the changes to a new branch so you can create a PR in the next step.  
- Select the Create a pull request link.  
- Add WIP in the title to test the functionality of the app. Select Create to create the PR.  
- Once the PR gets created, the status section displays, with the Work in progress entry that links to the URL specified in the payload.  
- Update the PR title and remove the WIP text and note that the status changes from Work in progress to Ready for review.