Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[Feature request from Discussions] RFC: Microsoft.Web/sites should retain existing app configuration over deployment #949

Closed
eriqua opened this issue Jan 16, 2023 · 22 comments · Fixed by #3311
Assignees
Labels
Type: AVM 🅰️ ✌️ Ⓜ️ This is an AVM related issue Type: Feature Request ➕ New feature or request

Comments

@eriqua
Copy link
Contributor

eriqua commented Jan 16, 2023

Discussed in Azure/ResourceModules#2572

Originally posted by jikuja January 14, 2023
I would like to start a discussion if Microsoft.Web/sites should retain existing app config and I'll provide a quick proof-of-concept for implementation ideas.

Why to retain app config

Why not to retain app config

  • Configuration of the resource will be different than template parameters
  • Other reason?

The proper solution

Resource provider should have two set of configuration:

  • infrastructure-specific settings: APPINSIGHTS_INSTRUMENTATIONKEY, APPLICATIONINSIGHTS_CONNECTION_STRING, AzureWebJobsStorage, AzureWebJobsDashboard and others selected to be maintained by infrastructure team
  • application development -specific setting: all the settings used and maintained by application developers

Solution with templating

Proof-of-concept

This is really naive solution to persist app config over deployment using Bicep only:

diff --git a/FunctionAppV2/template/Microsoft.Web/sites/config-appsettings/deploy.bicep b/FunctionAppV2/template/Microsoft.Web/sites/config-appsettings/deploy.bicep
index 7624cbb..ceb99ff 100644
--- a/FunctionAppV2/template/Microsoft.Web/sites/config-appsettings/deploy.bicep
+++ b/FunctionAppV2/template/Microsoft.Web/sites/config-appsettings/deploy.bicep
@@ -29,6 +29,9 @@ param appSettingsKeyValuePairs object = {}
 @description('Optional. Enable telemetry via a Globally Unique Identifier (GUID).')
 param enableDefaultTelemetry bool = true
 
+@description('Optional. Existing function app configuration')
+param existingConfig object = {}
+
 // =========== //
 // Variables   //
 // =========== //
@@ -43,7 +46,13 @@ var appInsightsValues = !empty(appInsightId) ? {
   APPLICATIONINSIGHTS_CONNECTION_STRING: appInsight.properties.ConnectionString
 } : {}
 
-var expandedAppSettings = union(appSettingsKeyValuePairs, azureWebJobsValues, appInsightsValues)
+var filteredExistingConfig_ = [for item in items(existingConfig): item.key != 'APPINSIGHTS_INSTRUMENTATIONKEY' && item.key != 'APPLICATIONINSIGHTS_CONNECTION_STRING' && item.key != 'AzureWebJobsStorage' && item.key != 'AzureWebJobsDashboard' ? {
+  '${item.key}': item.value
+} : {}]
+var filteredExistingConfig = reduce(filteredExistingConfig_, {}, (cur, next) => union(cur, next))
+
+// TODO: add parameter to control appSettingsKeyValuePairs or filteredExistingConfig has higher preference
+var expandedAppSettings = union(appSettingsKeyValuePairs, filteredExistingConfig, azureWebJobsValues, appInsightsValues)
 
 // =========== //
 // Existing resources //
diff --git a/FunctionAppV2/template/Microsoft.Web/sites/config-appsettings/existing-config.bicep b/FunctionAppV2/template/Microsoft.Web/sites/config-appsettings/existing-config.bicep
new file mode 100644
index 0000000..804b0c2
--- /dev/null
+++ b/FunctionAppV2/template/Microsoft.Web/sites/config-appsettings/existing-config.bicep
@@ -0,0 +1,13 @@
+param parent string
+
+resource existingapp 'Microsoft.Web/sites@2022-03-01' existing = {
+  name: parent
+}
+
+resource existingConfig 'Microsoft.Web/sites/config@2022-03-01' existing = {
+  name: 'appsettings'
+  parent: existingapp
+}
+
+output existingConfig object = existingConfig.list()
+
diff --git a/FunctionAppV2/template/Microsoft.Web/sites/deploy.bicep b/FunctionAppV2/template/Microsoft.Web/sites/deploy.bicep
index f53b66c..5c9a617 100644
--- a/FunctionAppV2/template/Microsoft.Web/sites/deploy.bicep
+++ b/FunctionAppV2/template/Microsoft.Web/sites/deploy.bicep
@@ -122,7 +122,7 @@ param diagnosticEventHubName string = ''
   'AppServicePlatformLogs'
   'FunctionAppLogs'
 ])
-param diagnosticLogCategoriesToEnable array = kind == 'functionapp' ? [
+param diagnosticLogCategoriesToEnable array = contains(kind, 'functionapp') ? [
   'FunctionAppLogs'
 ] : [
   'AppServiceHTTPLogs'
@@ -221,6 +221,13 @@ resource app 'Microsoft.Web/sites@2021-03-01' = {
   }
 }
 
+module existingConfig 'config-appsettings/existing-config.bicep' = {
+  name: '${uniqueString(deployment().name, location)}-Existing-Site-Config'
+  params: {
+    parent: app.name
+  }
+}
+
 module app_appsettings 'config-appsettings/deploy.bicep' = if (!empty(appSettingsKeyValuePairs)) {
   name: '${uniqueString(deployment().name, location)}-Site-Config-AppSettings'
   params: {
@@ -231,6 +238,7 @@ module app_appsettings 'config-appsettings/deploy.bicep' = if (!empty(appSetting
     setAzureWebJobsDashboard: setAzureWebJobsDashboard
     appSettingsKeyValuePairs: appSettingsKeyValuePairs
     enableDefaultTelemetry: enableReferencedModulesTelemetry
+    existingConfig: existingConfig.outputs.existingConfig.properties
   }
 }
 

Proof-of-concept explanation

  1. On deploy.bicep fetch existing configuration with config-appsettings/existing-config.bicep module
  2. Pass existing configuration to config-appsettings/deploy.bicep
  3. Use existing configurtion on config-appsettings/deploy.bicep:
  4. Filter out settings created by config-appsettings/deploy.bicep
var filteredExistingConfig_ = [for item in items(existingConfig): item.key != 'APPINSIGHTS_INSTRUMENTATIONKEY' && item.key != 'APPLICATIONINSIGHTS_CONNECTION_STRING' && item.key != 'AzureWebJobsStorage' && item.key != 'AzureWebJobsDashboard' ? {
  '${item.key}': item.value
} : {}]
var filteredExistingConfig = reduce(filteredExistingConfig_, {}, (cur, next) => union(cur, next))
  1. Merge user-supplied, existing and templated generated configs:
var expandedAppSettings = union(appSettingsKeyValuePairs, filteredExistingConfig, azureWebJobsValues, appInsightsValues)

Open questions

  • Is this needed?
  • Alternative solutions? (I already have a CI/CD extension that handles WEBSITE_RUN_FROM_PACKAGE but I don't like that)
  • What kind of controls should be provided for this feature:
    • On/Off
    • Retain only WEBSITE_RUN_FROM_PACKAGE
    • Retain user-supplied list of configuration values
    • Rewrite/remove user-supplied list of configuration values
    • User-supplied control to selection priority of filteredExistingConfig and appSettingsKeyValuePairs
  • Slots
  • Anything else

cc: @jikuja, @mikkark

@eriqua eriqua changed the title [Feature request from discussions] RFC: Microsoft.Web/sites should retain existing app configuration over deployment [Feature request from Discussions] RFC: Microsoft.Web/sites should retain existing app configuration over deployment Jan 16, 2023
@eriqua
Copy link
Contributor Author

eriqua commented Jan 17, 2023

Additional comments from the related discussion
image

@jikuja
Copy link

jikuja commented Jan 26, 2023

Here is my first untested idea for controlling which app config values are being retained:

diff --git a/FunctionApp/template/Microsoft.Web/sites/config-appsettings/deploy.bicep b/FunctionApp/template/Microsoft.Web/sites/config-appsettings/deploy.bicep
index ceb99ff..205aa0c 100644
--- a/FunctionApp/template/Microsoft.Web/sites/config-appsettings/deploy.bicep
+++ b/FunctionApp/template/Microsoft.Web/sites/config-appsettings/deploy.bicep
@@ -32,6 +32,12 @@ param enableDefaultTelemetry bool = true
 @description('Optional. Existing function app configuration')
 param existingConfig object = {}
 
+param retainAppSetting string
+
+param retainAppSettingsArray array
+
+param appSettingsKeyValuePairsOverridesExistingConfig bool
+
 // =========== //
 // Variables   //
 // =========== //
@@ -46,13 +52,13 @@ var appInsightsValues = !empty(appInsightId) ? {
   APPLICATIONINSIGHTS_CONNECTION_STRING: appInsight.properties.ConnectionString
 } : {}
 
-var filteredExistingConfig_ = [for item in items(existingConfig): item.key != 'APPINSIGHTS_INSTRUMENTATIONKEY' && item.key != 'APPLICATIONINSIGHTS_CONNECTION_STRING' && item.key != 'AzureWebJobsStorage' && item.key != 'AzureWebJobsDashboard' ? {
+var filteredExistingConfig_ = [for item in items(existingConfig): (retainAppSetting == 'retainAppSetting' &&  contains(retainAppSettingsArray, item.key) ) && item.key != 'APPINSIGHTS_INSTRUMENTATIONKEY' && item.key != 'APPLICATIONINSIGHTS_CONNECTION_STRING' && item.key != 'AzureWebJobsStorage' && item.key != 'AzureWebJobsDashboard' ? {
   '${item.key}': item.value
 } : {}]
 var filteredExistingConfig = reduce(filteredExistingConfig_, {}, (cur, next) => union(cur, next))
 
-// TODO: add parameter to control appSettingsKeyValuePairs or filteredExistingConfig has higher preference
-var expandedAppSettings = union(appSettingsKeyValuePairs, filteredExistingConfig, azureWebJobsValues, appInsightsValues)
+// order of the filteredExistingConfig and appSettingsKeyValuePairs is controlled by appSettingsKeyValuePairsOverridesExistingConfig
+var expandedAppSettings = appSettingsKeyValuePairsOverridesExistingConfig ? union(filteredExistingConfig, appSettingsKeyValuePairs, azureWebJobsValues, appInsightsValues) : union(appSettingsKeyValuePairs, filteredExistingConfig, azureWebJobsValues, appInsightsValues)
 
 // =========== //
 // Existing resources //
diff --git a/FunctionApp/template/Microsoft.Web/sites/deploy.bicep b/FunctionApp/template/Microsoft.Web/sites/deploy.bicep
index 5c9a617..b182874 100644
--- a/FunctionApp/template/Microsoft.Web/sites/deploy.bicep
+++ b/FunctionApp/template/Microsoft.Web/sites/deploy.bicep
@@ -64,6 +64,16 @@ param appSettingsKeyValuePairs object = {}
 @description('Optional. The auth settings V2 configuration.')
 param authSettingV2Configuration object = {}
 
+@description('Optional. Retain existing app config')
+@allowed(['None', 'Selected', 'All'])
+param retainAppSetting string = contains(kind, 'functionapp') ? 'Selected' : 'None'
+
+@description('Optional. List of retained app config keys. Used when retainAppSetting = \'Selected\'')
+param retainAppSettingsArray array = contains(kind, 'functionapp') ? ['WEBSITE_RUN_FROM_PACKAGE'] : []
+
+@description('a')
+param appSettingsKeyValuePairsOverridesExistingConfig bool = false
+
 // Lock
 @allowed([
   ''
@@ -221,7 +231,7 @@ resource app 'Microsoft.Web/sites@2021-03-01' = {
   }
 }
 
-module existingConfig 'config-appsettings/existing-config.bicep' = {
+module existingConfig 'config-appsettings/existing-config.bicep' = if (retainAppSetting != 'None') {
   name: '${uniqueString(deployment().name, location)}-Existing-Site-Config'
   params: {
     parent: app.name
@@ -238,7 +248,10 @@ module app_appsettings 'config-appsettings/deploy.bicep' = if (!empty(appSetting
     setAzureWebJobsDashboard: setAzureWebJobsDashboard
     appSettingsKeyValuePairs: appSettingsKeyValuePairs
     enableDefaultTelemetry: enableReferencedModulesTelemetry
-    existingConfig: existingConfig.outputs.existingConfig.properties
+    existingConfig: retainAppSetting != 'None' ? existingConfig.outputs.existingConfig.properties : { }
+    retainAppSetting: retainAppSetting
+    retainAppSettingsArray: retainAppSettingsArray
+    appSettingsKeyValuePairsOverridesExistingConfig: appSettingsKeyValuePairsOverridesExistingConfig
   }
 }

This should add some basic control for app config retain:

  • turn on/off feature
  • array to select app config values to retain
  • precedence of the existing configs and configs on template parameters

Microsoft.Web/sites/deploy.bicep three more parameters:

  • retainAppSetting
    • to control if app config values are retained or not
      • None nothing is retained
      • All everything except values that are created on Microsoft.Web/sites/config-appsettings/deploy.bicep are retained
      • Selected only selected values are retained
  • retainAppSettingsArray
    • array of app config keys to retain
  • appSettingsKeyValuePairsOverridesExistingConfig
    • controls precedence of the filteredExistingConfig and appSettingsKeyValuePairs

Support for slots is still missing. Is there something else important missing or does anyone see problems with the current PoC.

Now default setting will retain WEBSITE_RUN_FROM_PACKAGE app config for functions apps. I'm not sure if that should be turned on by default or not.

@Robbertbbb
Copy link

Robbertbbb commented Jul 3, 2023

my current solution is:
create an user managed identity
create an storage account to be reused for deployment scripts (speeds up the deployment script to reuse storage account)
give the identity read access on the subscription
via bicep deploy a deployment script with powershell or az cli command which checks if the resources exist output with an true/false (using the user managed identity)

if the resource exist i'm running a module which gets the existing function with appconfig
and merge that app config with the infra infra netconfig

if it is false ill output an empty object which merges with the app config

@AlexanderSehr
Copy link
Contributor

AlexanderSehr commented Jul 8, 2023

Hey @jikuja I wonder how complicated this may become given the vast amount of possible app settings (which are already split across multiple child items).

Reading the description and reasoning for the change I wonder if an alternative pattern wouldn't be to split the function app deployment (as part of a solution/workload) into its own pipeline to allow an independent update of the function app settings (& code). As you'd still need reference to resources you could then leverage 'exiting' resources instead.

This is not to say there is no merit in adding this 'only' update mode, but I have to wonder how 'advanced' is too advanced.

This would become a lot easier once #4023 is implemented. Just adding it here for reference.

@jikuja
Copy link

jikuja commented Oct 21, 2023

@tsc-buddy Has there been any discussions if/when problems mentinoed here could be fixed by RP instead of extra templating logic layers?

Highes priority should for WEBSITE_RUN_FROM_PACKAGE setting, all other are nice to have.

@nad-au
Copy link

nad-au commented Feb 5, 2024

Just enquiring if there's an update on this? Like others, my Linux consumption function app gets deleted when bicep is redeployed. I'm in the process of adding functions and as part of that I need to create additional app settings. Once I deploy all the functions are deleted.

I've tried setting and removing WEBSITE_RUN_FROM_PACKAGE = 1 from the bicep sites > properties > siteConfig > appSettings but makes no difference.

We're about to go live with a bunch of webhook handlers which run 24/7. I'm now afraid to put this into production for fear of accidental deletion.

FWIW we deploy our node apps with GHA Azure/functions-action@v1

@jikuja
Copy link

jikuja commented Feb 6, 2024

It might be a good idea to

  • move this on AVM
    • AVM has well-defined process for tickets
    • The module has been migrated to AVM
  • or create a support ticket: You can also raise a ticket with Microsoft CSS (Microsoft Customer Services & Support) and your ticket will be triaged by them for any platform issues and if deemed not the platform but a module issue, it will be redirected to the AVM team and the module owner(s). because issue in on service, not really on the module.

The fix I would like to see is in the first message under the title The proper solution

@Robbertbbb
Copy link

Robbertbbb commented Feb 6, 2024

you can also look at:
https://learn.microsoft.com/en-us/azure/azure-app-configuration/
this pulls the config apart

@AlexanderSehr
Copy link
Contributor

Hola together,
thanks @jikuja for referencing the AVM repo, it's correct that we've been migrating modules (leaving CARML eventually 'only' the CI for inner-sourcing) since September last year (as tracked in the 'Per Module Edits' section here). We'll also migrate all module issues over once we're done with that, which is why only very few issues got resolved in CARML since (and none for modules that already got migrated).

That being said, I agree that the RP doesn't exactly make it easy to implement. However, implementing that layer should be technically possible - and given that each module in AVM has voluntary owners that are assigned the issues and handle them, we should see some traction there too. Whether that's an implementation or inquiry to the PG(s) is up to the corresponding owner.

Last but not least, as the Web/sites module is already migrated, I'll go ahead and move this issue now. Will cc you to make sure you can find it after.

cc: @Robbertbbb @jikuja @nad-au

@AlexanderSehr AlexanderSehr transferred this issue from Azure/ResourceModules Feb 7, 2024
@microsoft-github-policy-service microsoft-github-policy-service bot added the Needs: Triage 🔍 Maintainers need to triage still label Feb 7, 2024
@AlexanderSehr AlexanderSehr removed their assignment Feb 7, 2024
@AlexanderSehr AlexanderSehr added the Type: AVM 🅰️ ✌️ Ⓜ️ This is an AVM related issue label Feb 7, 2024
@AlexanderSehr
Copy link
Contributor

@tsc-buddy, please note that I just transfered this issue from the original CARML repository. Would be great if you could take a look once you have a moment :)

@tsc-buddy
Copy link
Contributor

Hey @AlexanderSehr - sure thing. I shall schedule some time aside to take a look this in the coming week.

@AlexanderSehr
Copy link
Contributor

AlexanderSehr commented Feb 8, 2024

Hey @AlexanderSehr - sure thing. I shall schedule some time aside to take a look this in the coming week.

Much appreciated, thanks. If you need any support, let me/us know.

@microsoft-github-policy-service microsoft-github-policy-service bot added Status: Response Overdue 🚩 When an issue/PR has not been responded to for X amount of days Needs: Immediate Attention ‼️ Immediate attention of module owner / AVM team is needed labels Feb 14, 2024
@tsc-buddy
Copy link
Contributor

This will be scheduled for review in the Month or March 2024.

@tsc-buddy tsc-buddy removed Needs: Immediate Attention ‼️ Immediate attention of module owner / AVM team is needed Status: Response Overdue 🚩 When an issue/PR has not been responded to for X amount of days labels Feb 22, 2024
@AlexanderSehr
Copy link
Contributor

This will be scheduled for review in the Month or March 2024.

Thanks @tsc-buddy, sorry the bot is very very persisent. @matebarabas would it be a possiblilty to reduce it's schedule? Some items have so many of these bot comments...

@microsoft-github-policy-service microsoft-github-policy-service bot added Status: Response Overdue 🚩 When an issue/PR has not been responded to for X amount of days Needs: Immediate Attention ‼️ Immediate attention of module owner / AVM team is needed labels Feb 28, 2024
@AlexanderSehr AlexanderSehr removed the Needs: Triage 🔍 Maintainers need to triage still label Mar 11, 2024
@AlexanderSehr AlexanderSehr removed Needs: Immediate Attention ‼️ Immediate attention of module owner / AVM team is needed Status: Response Overdue 🚩 When an issue/PR has not been responded to for X amount of days labels Mar 11, 2024
@krbar
Copy link
Contributor

krbar commented Apr 4, 2024

We just hit this issue in a customer project, so I'm also very interested in a fix.

@EverybodyKurts
Copy link

Hi @krbar, this article might be able to help you: https://blog.dotnetstudio.nl/posts/2021/04/merge-appsettings-with-bicep/

I think I've ran into the same issues that you've experienced and following the previous article helped me keep the old configuration settings.

@krbar
Copy link
Contributor

krbar commented Apr 4, 2024

Hi @krbar, this article might be able to help you: https://blog.dotnetstudio.nl/posts/2021/04/merge-appsettings-with-bicep/

Looks promising, thank you @EverybodyKurts!

@AlexanderSehr, @tsc-buddy this looks like a good inspiration on how we could implement it in AVM, what do you think?

@jikuja
Copy link

jikuja commented Apr 4, 2024

Looks really similar with mine.

Using currentAppSettings: list('{myAwesomeFunction.id}/config/appsettings', '2020-12-01').properties is really neat trick and simplifies code.

how we could implement it in AVM

First thing:

  • IS PG working with this issue?
    • Special handling for WEBSITE_RUN_FROM_PACKAGE
    • Moving infrastructure related setting into own resource type/name
    • Some sources have said there might be fixes soon but is that true?

Then to plan how settings are merged?

  • Merge everything, just like in the linked post
  • Keep some existing values?
    • Built-int list to retain some-values? I did that. Cannot remember reasoning for it anymore. Might have been limitation on Bicep.
  • How to manage slot settings?

@Robbertbbb
Copy link

But does it work if the app service is deployed for the very first time? (So no list possible)

@AlexanderSehr
Copy link
Contributor

AlexanderSehr commented Apr 4, 2024

But does it work if the app service is deployed for the very first time? (So no list possible)

Fair point 😄 . @jikuja, any experience with that? It it works in any way like the existing resource declaration (which of course is also just a function), I have a wild guess ;)

@jikuja
Copy link

jikuja commented Apr 4, 2024

But does it work if the app service is deployed for the very first time? (So no list possible)

Fair point 😄 . @jikuja, any experience with that? It it works in any way like the existing resource declaration (which of course is also just a function), I have a wild guess ;)

Good points here. I tested Schutten's code and works even on first deployment


currentAppSettings: list('{myAwesomeFunction.id}/config/appsettings', '2020-12-01').properties compiles to

"currentAppSettings": {
            "value": "[list(format('{0}/config/appsettings', resourceId('Microsoft.Web/sites', 'myAwesomeFunctionfoo1')), '2020-12-01').properties]"
          }

Existing keyword documentation clearly states that deployment will fail when referenced resource is not found: If you attempt to reference a resource that doesn't exist, you get the NotFound error and your deployment fails. Check the name and scope of the resource you're trying to reference.

If non-accessor typed list*() invocations are called when resource is being deployed then function app and its config/appsettings should exist when list('${myAwesomeFunction.id}/config/appsettings', '2020-12-01').properties "is being executed"


@alex-frankel Do you want to comment if we are trying to build something that is working by luck or is it working by design? Main points starts from the comment #949 (comment)

Understanding exact details of IL is kind of black magic.

@matebarabas matebarabas added Type: Feature Request ➕ New feature or request and removed Enhancement labels Apr 17, 2024
@scrocquesel-ml150
Copy link

Regarding WEBSITE_RUN_FROM_PACKAGE, why not just pass WEBSITE_RUN_FROM_PACKAGE=1 when necessary ? IMHO, how the app should be deployed and run is an infrastructure decision. Running the app from a package or a remote url location shouldn't be the concern of the binary deployment task itself (despite it is what AzureRmWebAppDeployment is doing by modifying the app settings instead of reading them).

krbar pushed a commit that referenced this issue Sep 20, 2024
…#3311)

## Description

This commit changes the app settings deployment in order to retain
existing app settings that are not defined in the Bicep file. This
change allows for updating **only** the app settings that are defined in
the Bicep file, while leaving the rest unchanged.

As this is a change in behavior, version number has been increased.

Fixes #949

## Pipeline Reference

<!-- Insert your Pipeline Status Badge below -->

| Pipeline |
| -------- |
|
[![avm.res.web.site](https://github.com/peterbud/bicep-registry-modules/actions/workflows/avm.res.web.site.yml/badge.svg)](https://github.com/peterbud/bicep-registry-modules/actions/workflows/avm.res.web.site.yml)
|

## Type of Change

<!-- Use the checkboxes [x] on the options that are relevant. -->

- [ ] Update to CI Environment or utilities (Non-module affecting
changes)
- [ ] Azure Verified Module updates:
- [ ] Bugfix containing backwards-compatible bug fixes, and I have NOT
bumped the MAJOR or MINOR version in `version.json`:
- [ ] Someone has opened a bug report issue, and I have included "Closes
#{bug_report_issue_number}" in the PR description.
- [ ] The bug was found by the module author, and no one has opened an
issue to report it yet.
- [x] Feature update backwards compatible feature updates, and I have
bumped the MINOR version in `version.json`.
- [ ] Breaking changes and I have bumped the MAJOR version in
`version.json`.
  - [ ] Update to documentation

## Checklist

- [x] I'm sure there are no other open Pull Requests for the same
update/change
- [x] I have run `Set-AVMModule` locally to generate the supporting
module files.
- [x] My corresponding pipelines / checks run clean and green without
any errors or warnings
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
Type: AVM 🅰️ ✌️ Ⓜ️ This is an AVM related issue Type: Feature Request ➕ New feature or request
Projects
Status: Done
Status: Done
Development

Successfully merging a pull request may close this issue.

10 participants