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.
Important
The Azure OpenAI extension for Azure Functions is currently in preview.
The Azure OpenAI embeddings store output binding allows you to write files to a semantic document store that can be referenced later in a semantic search.
For information on setup and configuration details of the Azure OpenAI extension, see Azure OpenAI extensions for Azure Functions. To learn more about semantic ranking in Azure AI Search, see Semantic ranking in Azure AI Search.
Note
References and examples are only provided for the Node.js v4 model.
Note
References and examples are only provided for the Python v2 model.
Note
While both C# process models are supported, only isolated worker model examples are provided.
Example
This example writes an HTTP input stream to a semantic document store at the provided URL.
public class EmbeddingsRequest
{
    [JsonPropertyName("url")]
    public string? Url { get; set; }
}
[Function("IngestFile")]
public static async Task<EmbeddingsStoreOutputResponse> IngestFile(
    [HttpTrigger(AuthorizationLevel.Function, "post")] HttpRequestData req)
{
    using StreamReader reader = new(req.Body);
    string request = await reader.ReadToEndAsync();
    EmbeddingsStoreOutputResponse badRequestResponse = new()
    {
        HttpResponse = new BadRequestResult(),
        SearchableDocument = new SearchableDocument(string.Empty)
    };
    if (string.IsNullOrWhiteSpace(request))
    {
        return badRequestResponse;
    }
    EmbeddingsRequest? requestBody = JsonSerializer.Deserialize<EmbeddingsRequest>(request);
    if (string.IsNullOrWhiteSpace(requestBody?.Url))
    {
        throw new ArgumentException("Invalid request body. Make sure that you pass in {\"url\": value } as the request body.");
    }
    if (!Uri.TryCreate(requestBody.Url, UriKind.Absolute, out Uri? uri))
    {
        return badRequestResponse;
    }
    string filename = Path.GetFileName(uri.AbsolutePath);
    return new EmbeddingsStoreOutputResponse
    {
        HttpResponse = new OkObjectResult(new { status = HttpStatusCode.OK }),
        SearchableDocument = new SearchableDocument(filename)
    };
}
This example writes an HTTP input stream to a semantic document store at the provided URL.
@FunctionName("IngestFile")
public HttpResponseMessage ingestFile(
    @HttpTrigger(
        name = "req", 
        methods = {HttpMethod.POST},
        authLevel = AuthorizationLevel.ANONYMOUS)
        HttpRequestMessage<EmbeddingsRequest> request,
    @EmbeddingsStoreOutput(name="EmbeddingsStoreOutput", input = "{url}", inputType = InputType.Url,
            storeConnectionName = "AISearchEndpoint", collection = "openai-index",
            embeddingsModel = "%EMBEDDING_MODEL_DEPLOYMENT_NAME%") OutputBinding<EmbeddingsStoreOutputResponse> output,
    final ExecutionContext context) throws URISyntaxException {
    if (request.getBody() == null || request.getBody().getUrl() == null)
    {
        throw new IllegalArgumentException("Invalid request body. Make sure that you pass in {\"url\": value } as the request body.");
    }
    URI uri = new URI(request.getBody().getUrl());
    String filename = Paths.get(uri.getPath()).getFileName().toString();
    EmbeddingsStoreOutputResponse embeddingsStoreOutputResponse = new EmbeddingsStoreOutputResponse(new SearchableDocument(filename));
    output.setValue(embeddingsStoreOutputResponse);
    JSONObject response = new JSONObject();
    response.put("status", "success");
    response.put("title", filename);
    return request.createResponseBuilder(HttpStatus.CREATED)
            .header("Content-Type", "application/json")
            .body(response)
            .build();
}
public class EmbeddingsStoreOutputResponse {
    private SearchableDocument searchableDocument;
    public EmbeddingsStoreOutputResponse(SearchableDocument searchableDocument) {
        this.searchableDocument = searchableDocument;
    }
    public SearchableDocument getSearchableDocument() {
        return searchableDocument;
    }
}
This example writes an HTTP input stream to a semantic document store at the provided URL.
const embeddingsStoreOutput = output.generic({
    type: "embeddingsStore",
    input: "{url}", 
    inputType: "url", 
    connectionName: "AISearchEndpoint", 
    collection: "openai-index", 
    embeddingsModel: "%EMBEDDING_MODEL_DEPLOYMENT_NAME%"
});
app.http('IngestFile', {
    methods: ['POST'],
    authLevel: 'function',
    extraOutputs: [embeddingsStoreOutput],
    handler: async (request, context) => {
        let requestBody = await request.json();
        if (!requestBody || !requestBody.url) {
            throw new Error("Invalid request body. Make sure that you pass in {\"url\": value } as the request body.");
        }
        let uri = requestBody.url;
        let url = new URL(uri);
        let fileName = path.basename(url.pathname);
        context.extraOutputs.set(embeddingsStoreOutput, { title: fileName });
        let response = {
            status: "success",
            title: fileName
        };
        return { status: 202, jsonBody: response } 
    }
});
interface EmbeddingsRequest {
    url?: string;
}
const embeddingsStoreOutput = output.generic({
    type: "embeddingsStore",
    input: "{url}", 
    inputType: "url", 
    connectionName: "AISearchEndpoint", 
    collection: "openai-index", 
    embeddingsModel: "%EMBEDDING_MODEL_DEPLOYMENT_NAME%"
});
app.http('IngestFile', {
    methods: ['POST'],
    authLevel: 'function',
    extraOutputs: [embeddingsStoreOutput],
    handler: async (request, context) => {
        let requestBody: EmbeddingsRequest | null = await request.json();
        if (!requestBody || !requestBody.url) {
            throw new Error("Invalid request body. Make sure that you pass in {\"url\": value } as the request body.");
        }
        let uri = requestBody.url;
        let url = new URL(uri);
        let fileName = path.basename(url.pathname);
        context.extraOutputs.set(embeddingsStoreOutput, { title: fileName });
        let response = {
            status: "success",
            title: fileName
        };
        return { status: 202, jsonBody: response } 
    }
});
This example writes an HTTP input stream to a semantic document store at the provided URL.
Here's the function.json file for ingesting files:
{
  "bindings": [
    {
      "authLevel": "function",
      "type": "httpTrigger",
      "direction": "in",
      "name": "Request",
      "methods": [
        "post"
      ]
    },
    {
      "type": "http",
      "direction": "out",
      "name": "Response"
    },
    {
      "name": "EmbeddingsStoreOutput",
      "type": "embeddingsStore",
      "direction": "out",
      "input": "{url}",
      "inputType": "Url",
      "storeConnectionName": "AISearchEndpoint",
      "collection": "openai-index",
      "embeddingsModel": "%EMBEDDING_MODEL_DEPLOYMENT_NAME%"
    }
  ]
}
For more information about function.json file properties, see the Configuration section.
using namespace System.Net
param($Request, $TriggerMetadata)
$ErrorActionPreference = 'Stop'
$inputJson = $Request.Body
if (-not $inputJson -or -not $inputJson.Url) {
    throw 'Invalid request body. Make sure that you pass in {\"url\": value } as the request body.'
}
$uri = [URI]$inputJson.Url
$filename = [System.IO.Path]::GetFileName($uri.AbsolutePath)
Push-OutputBinding -Name EmbeddingsStoreOutput -Value @{
    "title" = $filename
}
$response = @{
    "status" = "success"
    "title" = $filename
}
Push-OutputBinding -Name Response -Value ([HttpResponseContext]@{
        StatusCode = [HttpStatusCode]::OK
        Body = $response
        Headers    = @{
            "Content-Type" = "application/json"
        }
})
This example writes an HTTP input stream to a semantic document store at the provided URL.
@app.function_name("IngestFile")
@app.route(methods=["POST"])
@app.embeddings_store_output(
    arg_name="requests",
    input="{url}",
    input_type="url",
    store_connection_name="AISearchEndpoint",
    collection="openai-index",
    embeddings_model="%EMBEDDING_MODEL_DEPLOYMENT_NAME%",
)
def ingest_file(
    req: func.HttpRequest, requests: func.Out[str]
) -> func.HttpResponse:
    user_message = req.get_json()
    if not user_message:
        return func.HttpResponse(
            json.dumps({"message": "No message provided"}),
            status_code=400,
            mimetype="application/json",
        )
    file_name_with_extension = os.path.basename(user_message["url"])
    title = os.path.splitext(file_name_with_extension)[0]
    create_request = {"title": title}
    requests.set(json.dumps(create_request))
    response_json = {"status": "success", "title": title}
    return func.HttpResponse(
        json.dumps(response_json), status_code=200, mimetype="application/json"
    )
Attributes
Apply the EmbeddingsStoreOutput attribute to define an embeddings store output binding, which supports these parameters:
| Parameter | Description | 
|---|---|
| Input | The input string for which to generate embeddings. | 
| AIConnectionName | Optional. Gets or sets the name of the configuration section for AI service connectivity settings. For Azure OpenAI: If specified, looks for "Endpoint" and "Key" values in this configuration section. If not specified or the section doesn't exist, falls back to environment variables: AZURE_OPENAI_ENDPOINT and AZURE_OPENAI_KEY. For user-assigned managed identity authentication, this property is required. For OpenAI service (non-Azure), set the OPENAI_API_KEY environment variable. | 
| EmbeddingsModel | Optional. The ID of the model to use, which defaults to text-embedding-ada-002. You shouldn't change the model for an existing database. For more information, see Usage. | 
| MaxChunkLength | Optional. The maximum number of characters used for chunking the input. For more information, see Usage. | 
| MaxOverlap | Optional. Gets or sets the maximum number of characters to overlap between chunks. | 
| InputType | Optional. Gets the type of the input. | 
| StoreConnectionName | The name of an app setting or environment variable that contains the connection string value. This property supports binding expressions. | 
| Collection | The name of the collection or table or index to search. This property supports binding expressions. | 
Annotations
The EmbeddingsStoreOutput annotation enables you to define an embeddings store output binding, which supports these parameters:
| Element | Description | 
|---|---|
| name | Gets or sets the name of the output binding. | 
| input | The input string for which to generate embeddings. | 
| aiConnectionName | Optional. Gets or sets the name of the configuration section for AI service connectivity settings. For Azure OpenAI: If specified, looks for "Endpoint" and "Key" values in this configuration section. If not specified or the section doesn't exist, falls back to environment variables: AZURE_OPENAI_ENDPOINT and AZURE_OPENAI_KEY. For user-assigned managed identity authentication, this property is required. For OpenAI service (non-Azure), set the OPENAI_API_KEY environment variable. | 
| embeddingsModel | Optional. The ID of the model to use, which defaults to text-embedding-ada-002. You shouldn't change the model for an existing database. For more information, see Usage. | 
| maxChunkLength | Optional. The maximum number of characters used for chunking the input. For more information, see Usage. | 
| maxOverlap | Optional. Gets or sets the maximum number of characters to overlap between chunks. | 
| inputType | Optional. Gets the type of the input. | 
| storeConnectionName | The name of an app setting or environment variable that contains the connection string value. This property supports binding expressions. | 
| collection | The name of the collection or table or index to search. This property supports binding expressions. | 
Decorators
During the preview, define the output binding as a generic_output_binding binding of type semanticSearch, which supports these parameters:
| Parameter | Description | 
|---|---|
| arg_name | The name of the variable that represents the binding parameter. | 
| input | The input string for which to generate embeddings. | 
| ai_connection_name | Optional. Gets or sets the name of the configuration section for AI service connectivity settings. For Azure OpenAI: If specified, looks for "Endpoint" and "Key" values in this configuration section. If not specified or the section doesn't exist, falls back to environment variables: AZURE_OPENAI_ENDPOINT and AZURE_OPENAI_KEY. For user-assigned managed identity authentication, this property is required. For OpenAI service (non-Azure), set the OPENAI_API_KEY environment variable. | 
| embeddings_model | Optional. The ID of the model to use, which defaults to text-embedding-ada-002. You shouldn't change the model for an existing database. For more information, see Usage. | 
| maxChunkLength | Optional. The maximum number of characters used for chunking the input. For more information, see Usage. | 
| max_overlap | Optional. Gets or sets the maximum number of characters to overlap between chunks. | 
| input_type | Gets the type of the input. | 
| store_connection_name | The name of an app setting or environment variable that contains the connection string value. This property supports binding expressions. | 
| collection | The name of the collection or table or index to search. This property supports binding expressions. | 
Configuration
The binding supports these configuration properties that you set in the function.json file.
| Property | Description | 
|---|---|
| type | Must be embeddingsStore. | 
| direction | Must be out. | 
| name | The name of the output binding. | 
| input | The input string for which to generate embeddings. | 
| aiConnectionName | Optional. Gets or sets the name of the configuration section for AI service connectivity settings. For Azure OpenAI: If specified, looks for "Endpoint" and "Key" values in this configuration section. If not specified or the section doesn't exist, falls back to environment variables: AZURE_OPENAI_ENDPOINT and AZURE_OPENAI_KEY. For user-assigned managed identity authentication, this property is required. For OpenAI service (non-Azure), set the OPENAI_API_KEY environment variable. | 
| embeddingsModel | Optional. The ID of the model to use, which defaults to text-embedding-ada-002. You shouldn't change the model for an existing database. For more information, see Usage. | 
| maxChunkLength | Optional. The maximum number of characters used for chunking the input. For more information, see Usage. | 
| maxOverlap | Optional. Gets or sets the maximum number of characters to overlap between chunks. | 
| inputType | Optional. Gets the type of the input. | 
| storeConnectionName | The name of an app setting or environment variable that contains the connection string value. This property supports binding expressions. | 
| collection | The name of the collection or table or index to search. This property supports binding expressions. | 
Configuration
The binding supports these properties, which are defined in your code:
| Property | Description | 
|---|---|
| input | The input string for which to generate embeddings. | 
| aiConnectionName | Optional. Gets or sets the name of the configuration section for AI service connectivity settings. For Azure OpenAI: If specified, looks for "Endpoint" and "Key" values in this configuration section. If not specified or the section doesn't exist, falls back to environment variables: AZURE_OPENAI_ENDPOINT and AZURE_OPENAI_KEY. For user-assigned managed identity authentication, this property is required. For OpenAI service (non-Azure), set the OPENAI_API_KEY environment variable. | 
| embeddingsModel | Optional. The ID of the model to use, which defaults to text-embedding-ada-002. You shouldn't change the model for an existing database. For more information, see Usage. | 
| maxChunkLength | Optional. The maximum number of characters used for chunking the input. For more information, see Usage. | 
| maxOverlap | Optional. Gets or sets the maximum number of characters to overlap between chunks. | 
| inputType | Optional. Gets the type of the input. | 
| storeConnectionName | The name of an app setting or environment variable that contains the connection string value. This property supports binding expressions. | 
| collection | The name of the collection or table or index to search. This property supports binding expressions. | 
Usage
See the Example section for complete examples.