cancel
Showing results for 
Search instead for 
Did you mean: 
Reply
rekodus
Regular Visitor

Custom Connector for Asynchronous Function

I am trying to build and use a custom connector to call an asynchronous function that is hosted in Azure Function Services. The asynchronous functions returns HTTP 202 accepted and the URL of another function in the same API that can be polled for the status and the final result. It works as intended when I call this function with an HTTP connector but called with a custom connector MS Flow cannot access the of status function and returns HTTP 404 resource not found. I guess this is related to the fact that MS Flow does not call custom connectors directly but via a proxy. Any ideas on how to solve this?

 

=========================================

Async function:

module.exports = function (context, req) {
   context.res = {
      status: 202,
         headers: {
              "location": "https://xxx.azurewebsites.net/api/getStatus?code=XXX",
               "retry-after": 10
         },
      body: { result: "try again!"}
};
context.done();
};
====================================================
getStatus:
module.exports = function (context, req) {
   context.res = {
      status: 200,
      body: { result: { import_status: "done", msg: "Oh yeah, this is the result" } }
   };
  context.done();
};
12 REPLIES 12
v-yuazh-msft
Community Support
Community Support

Hi @rekodus,

 

Have you found the solution to achieve your requirement?

 

Best regards,

Alice

marcchasse
Frequent Visitor

@rekodus @v-yuazh-msft I'm a few years late but this was the top result so hopefully my solution helps others.


Custom Connectors use an APIM Proxy, and the response location header ends up getting re-written with the APIM endpoint. So even though your function app is returning a 202 with the location header properly set the custom connector re-writes that to use the APIM proxy. When you enable the async pattern on the action in a flow Power Automate will try to call that transformed location header and I'm guessing since it's a different endpoint the APIM returns a 404.

To test this out I created a C# function app to mock out the async pattern:

[FunctionName("Start")]
public static async Task<IActionResult> Start([HttpTrigger(AuthorizationLevel.Anonymous, "get", "post", Route = null)] HttpRequest req, ILogger log)
{
    return new AcceptedResult($"{req.Scheme}://{req.Host}/api/Status", "Please Hold");
}

[FunctionName("Status")]
public static async Task<IActionResult> Status([HttpTrigger(AuthorizationLevel.Anonymous, "get", "post", Route = null)] HttpRequest req,ILogger log)
{
    return new OkObjectResult("it worked!");
}

I created a very simple custom connector with no inputs to call the Start method, swagger as follows: 

swagger: '2.0'
info:
  title: Default title
  description: ''
  version: '1.0'
host: <my function app name>.azurewebsites.net
basePath: /api/
schemes:
  - https
consumes: []
produces: []
paths:
  /Start:
    get:
      responses:
        default:
          description: default
          schema: {}
      operationId: Start
      parameters: []
definitions: {}
parameters: {}
responses: {}
securityDefinitions: {}
security: []
tags: []

As described above testing this custom connector shows that the location header is being re-written:

marcchasse_0-1677867511207.png

To fix that I can rewrite the location header back to what it was originally with some Custom Connector Code:

public class Script : ScriptBase
{
    public override async Task<HttpResponseMessage> ExecuteAsync()
    {
        if (this.Context.OperationId == "Start")
        {
            return await this.TransformStartLocationHeader().ConfigureAwait(false);
        }

        return await this.Context.SendAsync(this.Context.Request, this.CancellationToken).ConfigureAwait(false);
    }

    private async Task<HttpResponseMessage> TransformStartLocationHeader()
    {
        HttpResponseMessage response = await this.Context.SendAsync(this.Context.Request, this.CancellationToken).ConfigureAwait(continueOnCapturedContext: false);

        // https://<my function app name>.azurewebsites.net/api/Start
        var OgReqUri = this.Context.Request.RequestUri;

        // https://unitedstates-002.azure-apim.net/apim/dsa-5fdummy-20async-20func-20app-c4e7fc1bf57c4dad25/90fbd47f-7ea1-414e-9719-81e23fc41121/Status
        var BadLoc = response.Headers.Location.ToString();

        // https://<my function app name>.azurewebsites.net/api/Status
        var newLocation = $"{OgReqUri.Scheme}://{OgReqUri.Host}/api/{BadLoc.Split('/').Last()}";

        response.Headers.Location = new Uri(newLocation);
        return response;
    }
}

 

Now with the async pattern turned on for the card the custom connector will return what’s at the endpoint in the location header.

marcchasse_1-1677868117955.png

marcchasse_2-1677868174338.png

 

Note that when we moved this to a function app that required authorization via a query string parameter, we had to add that query string back in the location header for power automate to complete the async pattern without getting a 401.
You also need to use the Azure Function Host key since you'll be talking to two separate functions.

Hope this works for you,

Marc

marcchasse
Frequent Visitor

After some more investigation we found a better way to enable async in custom connectors that does not rely on using custom code.
You need to add the endpoint that is defined in the location header of the 202 response to the swagger definition in the custom connector.
in our case that response is a get request to /PDF2TIF_status/23512243564

marcchasse_0-1678209284182.png

note line 46 specifies this action as internal, which hides it from being used in a flow.
With this approach the power platform will define an endpoint in APIM for your 202 location and instead of receiving a 404 from APIM it will instead forward the request along as expected.
The authentication is also passed along for you so there's no need to forward that as I noted previously.

Excellent, with this approach people can easily build custom solution similar to "Wait for Approval".

I'm curious to see what do you did on the other endpoint. I'm currently returning a 202 response with the location header as a relative path, but the custom connector just ends as success. what am I missing?

murguiar_0-1707945497258.pngmurguiar_1-1707945615574.pngmurguiar_2-1707945704083.png

 

marcchasse
Frequent Visitor

@murguiar did you enable the async pattern on the custom connector action in your flow?

I certainly did, it's enabled by default. 

murguiar_0-1707946531595.png

 

marcchasse
Frequent Visitor

I only ever tried with an absolute path, I wonder if you can change your endpoint to be an abslute path for testing, ensure its working as expected and then see how the connector works diffrently with a relative path. I found it easier for me was to have my own test endpoint that would just return a hardcoded location and the endpoint in the location would also return a simple 200 "it worked" type response.

the test functionality in the custom connector editor itself seems to provide better information for debugging then a card in a flow too.

Hope it helps,
Marc

Returning an absolute path seems to work, Thanks!

@marcchasse Were you able to find a spec for what the response object schema should be for the resource that get's polled? e.g. is the below correct?

 

 

{
  "status": "Completed",
  "operationId": "12345",
  "result": {
    "data": "Here could be the actual data/result of the operation, such as a download link, operation results, etc.",
    "moreDetails": "Additional details about the operation or results."
  },
  "message": "Your request has been successfully processed."
}

 

 

 

 

Hi All,

 

I just created a custom connector for Async Azure Function and I have the same issue. I tried the code solution without success and I'll try the 2nd solution.

 

But before, I have a problem, I can't see "Asynchronous Pattern" option!

kthec_0-1719300393435.png

I'm quite sure I missed something, but I don't see where

 

Do you know how this option is enabled? I added 202 response in function definition but...

 

Thanks

 

Regards

 

Hervé

Hi,

 

I reply to myself

 

I found option, I had to switch to Old Designer because it seems this option is not in New Designer

Helpful resources

Announcements

Community will be READ ONLY July 16th, 5p PDT -July 22nd

Dear Community Members,   We'd like to let you know of an upcoming change to the community platform: starting July 16th, the platform will transition to a READ ONLY mode until July 22nd.   During this period, members will not be able to Kudo, Comment, or Reply to any posts.   On July 22nd, please be on the lookout for a message sent to the email address registered on your community profile. This email is crucial as it will contain your unique code and link to register for the new platform encompassing all of the communities.   What to Expect in the New Community: A more unified experience where all products, including Power Apps, Power Automate, Copilot Studio, and Power Pages, will be accessible from one community.Community Blogs that you can syndicate and link to for automatic updates. We appreciate your understanding and cooperation during this transition. Stay tuned for the exciting new features and a seamless community experience ahead!

Summer of Solutions | Week 4 Results | Winners will be posted on July 24th

We are excited to announce the Summer of Solutions Challenge!    This challenge is kicking off on Monday, June 17th and will run for (4) weeks.  The challenge is open to all Power Platform (Power Apps, Power Automate, Copilot Studio & Power Pages) community members. We invite you to participate in a quest to provide solutions to as many questions as you can. Answers can be provided in all the communities.    Entry Period: This Challenge will consist of four weekly Entry Periods as follows (each an “Entry Period”)   - 12:00 a.m. PT on June 17, 2024 – 11:59 p.m. PT on June 23, 2024 - 12:00 a.m. PT on June 24, 2024 – 11:59 p.m. PT on June 30, 2024 - 12:00 a.m. PT on July 1, 2024 – 11:59 p.m. PT on July 7, 2024 - 12:00 a.m. PT on July 8, 2024 – 11:59 p.m. PT on July 14, 2024   Entries will be eligible for the Entry Period in which they are received and will not carryover to subsequent weekly entry periods.  You must enter into each weekly Entry Period separately.   How to Enter: We invite you to participate in a quest to provide "Accepted Solutions" to as many questions as you can. Answers can be provided in all the communities. Users must provide a solution which can be an “Accepted Solution” in the Forums in all of the communities and there are no limits to the number of “Accepted Solutions” that a member can provide for entries in this challenge, but each entry must be substantially unique and different.    Winner Selection and Prizes: At the end of each week, we will list the top ten (10) Community users which will consist of: 5 Community Members & 5 Super Users and they will advance to the final drawing. We will post each week in the News & Announcements the top 10 Solution providers.  At the end of the challenge, we will add all of the top 10 weekly names and enter them into a random drawing.  Then we will randomly select ten (10) winners (5 Community Members & 5 Super Users) from among all eligible entrants received across all weekly Entry Periods to receive the prize listed below. If a winner declines, we will draw again at random for the next winner.  A user will only be able to win once overall. If they are drawn multiple times, another user will be drawn at random.  Individuals will be contacted before the announcement with the opportunity to claim or deny the prize.  Once all of the winners have been notified, we will post in the News & Announcements of each community with the list of winners.   Each winner will receive one (1) Pass to the Power Platform Conference in Las Vegas, Sep. 18-20, 2024 ($1800 value). NOTE: Prize is for conference attendance only and any other costs such as airfare, lodging, transportation, and food are the sole responsibility of the winner. Tickets are not transferable to any other party or to next year’s event.   ** PLEASE SEE THE ATTACHED RULES for this CHALLENGE**   Week 1 Results: Congratulations to the Week 1 qualifiers, you are being entered in the random drawing that will take place at the end of the challenge.   Community MembersNumber SolutionsSuper UsersNumber Solutions Deenuji 9 @NathanAlvares24  17 @Anil_g  7 @ManishSolanki  13 @eetuRobo  5 @David_MA  10 @VishnuReddy1997  5 @SpongYe  9JhonatanOB19932 (tie) @Nived_Nambiar  8 @maltie  2 (tie)   @PA-Noob  2 (tie)   @LukeMcG  2 (tie)   @tgut03  2 (tie)       Week 2 Results: Congratulations to the Week 2 qualifiers, you are being entered in the random drawing that will take place at the end of the challenge. Week 2: Community MembersSolutionsSuper UsersSolutionsPower Automate  @Deenuji  12@ManishSolanki 19 @Anil_g  10 @NathanAlvares24  17 @VishnuReddy1997  6 @Expiscornovus  10 @Tjan  5 @Nived_Nambiar  10 @eetuRobo  3 @SudeepGhatakNZ 8     Week 3 Results: Congratulations to the Week 3 qualifiers, you are being entered in the random drawing that will take place at the end of the challenge. Week 3:Community MembersSolutionsSuper UsersSolutionsPower Automate Deenuji32ManishSolanki55VishnuReddy199724NathanAlvares2444Anil_g22SudeepGhatakNZ40eetuRobo18Nived_Nambiar28Tjan8David_MA22   Week 4 Results: Congratulations to the Week 4 qualifiers, you are being entered in the random drawing that will take place at the end of the challenge. Week 4:Community MembersSolutionsSuper UsersSolutionsPower Automate Deenuji11FLMike31Sayan11ManishSolanki16VishnuReddy199710creativeopinion14Akshansh-Sharma3SudeepGhatakNZ7claudiovc2CFernandes5 misc2Nived_Nambiar5 Usernametwice232rzaneti5 eetuRobo2   Anil_g2   SharonS2  

Check Out | 2024 Release Wave 2 Plans for Microsoft Dynamics 365 and Microsoft Power Platform

On July 16, 2024, we published the 2024 release wave 2 plans for Microsoft Dynamics 365 and Microsoft Power Platform. These plans are a compilation of the new capabilities planned to be released between October 2024 to March 2025. This release introduces a wealth of new features designed to enhance customer understanding and improve overall user experience, showcasing our dedication to driving digital transformation for our customers and partners.    The upcoming wave is centered around utilizing advanced AI and Microsoft Copilot technologies to enhance user productivity and streamline operations across diverse business applications. These enhancements include intelligent automation, AI-powered insights, and immersive user experiences that are designed to break down barriers between data, insights, and individuals. Watch a summary of the release highlights.    Discover the latest features that empower organizations to operate more efficiently and adaptively. From AI-driven sales insights and customer service enhancements to predictive analytics in supply chain management and autonomous financial processes, the new capabilities enable businesses to proactively address challenges and capitalize on opportunities.    

Updates to Transitions in the Power Platform Communities

We're embarking on a journey to enhance your experience by transitioning to a new community platform. Our team has been diligently working to create a fresh community site, leveraging the very Dynamics 365 and Power Platform tools our community advocates for.  We started this journey with transitioning Copilot Studio forums and blogs in June. The move marks the beginning of a new chapter, and we're eager for you to be a part of it. The rest of the Power Platform product sites will be moving over this summer.   Stay tuned for more updates as we get closer to the launch. We can't wait to welcome you to our new community space, designed with you in mind. Let's connect, learn, and grow together.   Here's to new beginnings and endless possibilities!   If you have any questions, observations or concerns throughout this process please go to https://aka.ms/PPCommSupport.   To stay up to date on the latest details of this migration and other important Community updates subscribe to our News and Announcements forums: Copilot Studio, Power Apps, Power Automate, Power Pages

Users online (1,548)