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.
This document explains how to create a proxy to interact with custom or advanced identity providers that use OAuth2 protocol.
The Bot Framework allows users to log in using various identity providers that use the OAuth2 protocol. However, identity providers can deviate from the core OAuth2 protocol, by offering more advanced capabilities, or alternative sign-in options. In these cases, you may not find an appropriate connection setting configuration that works for you. A possible solution is to do the following:
- Write an OAuth2 provider proxy that is in between the Bot Framework token service and the more customized or advanced identity provider.
- Configure the connection setting to call this proxy, and have this proxy make the calls to the custom or advanced identity provider. The proxy can also map or transform responses to make them conform to what the Bot Framework token service expects.
OAuth2 Proxy Service
To build an OAuth2 Proxy Service, you need to implement a REST service with two OAuth2 APIs: one for authorization and one for retrieving a token. Below, you'll find a C# example of each of these methods and what you can do in these methods to call a custom or advanced identity provider.
Authorize API
The authorize API is an HTTP GET that authorizes the caller, generates a code property, and redirects to the redirect URI.
[HttpGet("authorize")]
public ActionResult Authorize(
    string response_type, 
    string client_id, 
    string state, 
    string redirect_uri, 
    string scope = null)
{
    // validate parameters
    if (string.IsNullOrEmpty(state))
    {
        return BadRequest("Authorize request missing parameter 'state'");
    }
    if (string.IsNullOrEmpty(redirect_uri))
    {
        return BadRequest("Authorize request missing parameter 'redirect_uri'");
    }
    // redirect to an external identity provider, 
    // or for this sample, generate a code and token pair and redirect to the redirect_uri
    var code = Guid.NewGuid().ToString("n");
    var token = Guid.NewGuid().ToString("n");
    _tokens.AddOrUpdate(code, token, (c, t) => token);
    return Redirect($"{redirect_uri}?code={code}&state={state}");
}
Token API
The Token API is an HTTP POST that is called by the Bot Framework token service. The Bot Framework token service will send the client_id and client_secret in the request's body. These values should be validated and/or passed along to the custom or advanced identity provider.
The response to this call is a JSON object containing the access_token and expiration value of the token (all other values are ignored). If your identity provider returns an id_token or some other value that you want to return instead, you just need to map it to the access_token property of your response before you return.
[HttpPost("token")]
public async Task<ActionResult> Token()
{
    string body;
    using (var reader = new StreamReader(Request.Body))
    {
        body = await reader.ReadToEndAsync();
    }
    if (string.IsNullOrEmpty(body))
    {
        return BadRequest("Token request missing body");
    }
    var parameters = HttpUtility.ParseQueryString(body);
    string authorizationCode = parameters["code"];
    string grantType = parameters["grant_type"];
    string clientId = parameters["client_id"];
    string clientSecret = parameters["client_secret"];
    string redirectUri= parameters["redirect_uri"];
    // Validate any of these parameters here, or call out to an external identity provider with them
    if (_tokens.TryRemove(authorizationCode, out string token))
    {
        return Ok(new TokenResponse()
        {
            AccessToken = token,
            ExpiresIn = 3600,
            TokenType = "custom",
        });
    }
    else
    {
        return BadRequest("Token request body did not contain parameter 'code'");
    }
}
Proxy Connection Setting Configuration
Once you have your OAuth2 Proxy Service running, you can create an OAuth Service Provider Connection Setting on your Azure AI Bot Service resource. Follow the steps described below.
- Give a name to the connection setting.
- Select the Generic Oauth 2 service provider.
- Enter a Client id and Client secret for the connection. These values might be provided by your advanced or custom identity provider, or these could be specific just to your proxy if the identity provider you're using doesn't use client id and secret.
- For the Authorization URL, you should copy the address of your authorization REST API, for example https://proxy.com/api/oauth/authorize.
- For the Token and Refresh URL, you should copy the address of your token REST API, for example https://proxy.com/api/oauth/token. The Token Exchange URL is valid only for AAD based providers and so can be ignored.
- Finally, add any scopes that are appropriate.
OAuthController for ASP.NET web app
using Microsoft.AspNetCore.Mvc;
using Newtonsoft.Json;
using System;
using System.Collections.Concurrent;
using System.IO;
using System.Threading.Tasks;
using System.Web;
namespace CustomOAuthProvider.Controllers
{
    [Route("api/[controller]")]
    [ApiController]
    public class OAuthController : ControllerBase
    {
        ConcurrentDictionary<string, string> _tokens;
        public OAuthController(ConcurrentDictionary<string, string> tokens)
        {
            _tokens = tokens;
        }
        [HttpGet("authorize")]
        public ActionResult Authorize(
            string response_type, 
            string client_id, 
            string state, 
            string redirect_uri, 
            string scope = null)
        {
            if (string.IsNullOrEmpty(state))
            {
                return BadRequest("Authorize request missing parameter 'state'");
            }
            if (string.IsNullOrEmpty(redirect_uri))
            {
                return BadRequest("Authorize request missing parameter 'redirect_uri'");
            }
            // reidrect to an external identity provider, 
            // or for this sample, generte a code and token pair and redirect to the redirect_uri
            var code = Guid.NewGuid().ToString("n");
            var token = Guid.NewGuid().ToString("n");
            _tokens.AddOrUpdate(code, token, (c, t) => token);
            return Redirect($"{redirect_uri}?code={code}&state={state}");
        }
        [HttpPost("token")]
        public async Task<ActionResult> Token()
        {
            string body;
            using (var reader = new StreamReader(Request.Body))
            {
                body = await reader.ReadToEndAsync();
            }
            if (string.IsNullOrEmpty(body))
            {
                return BadRequest("Token request missing body");
            }
            var parameters = HttpUtility.ParseQueryString(body);
            string authorizationCode = parameters["code"];
            string grantType = parameters["grant_type"];
            string clientId = parameters["client_id"];
            string clientSecret = parameters["client_secret"];
            string redirectUri= parameters["redirect_uri"];
            // Validate any of these parameters here, or call out to an external identity provider with them
            if (_tokens.TryRemove(authorizationCode, out string token))
            {
                return Ok(new TokenResponse()
                {
                    AccessToken = token,
                    ExpiresIn = 3600,
                    TokenType = "custom",
                });
            }
            else
            {
                return BadRequest("Token request body did not contain parameter 'code'");
            }
        }
    }
    public class TokenResponse
    {
        [JsonProperty("access_token")]
        public string AccessToken { get; set; }
        [JsonProperty("id_token")]
        public string IdToken { get; set; }
        [JsonProperty("token_type")]
        public string TokenType { get; set; }
        [JsonProperty("expires_in")]
        public int ExpiresIn { get; set; }
        [JsonProperty("refresh_token")]
        public string RefreshToken { get; set; }
        [JsonProperty("scope")]
        public string Scope { get; set; }
    }
}