René's URL Explorer Experiment


Title: Provide base class or extend interface for Argument Completers · Issue #25033 · PowerShell/PowerShell · GitHub

Open Graph Title: Provide base class or extend interface for Argument Completers · Issue #25033 · PowerShell/PowerShell

X Title: Provide base class or extend interface for Argument Completers · Issue #25033 · PowerShell/PowerShell

Description: Summary of the new feature / enhancement Related to PowerShell/PowerShell-RFC#269 We should provide a base class for Argument completers, so it is easier for users to create completers in C#. Current State User implements IArgumentComple...

Open Graph Description: Summary of the new feature / enhancement Related to PowerShell/PowerShell-RFC#269 We should provide a base class for Argument completers, so it is easier for users to create completers in C#. Curre...

X Description: Summary of the new feature / enhancement Related to PowerShell/PowerShell-RFC#269 We should provide a base class for Argument completers, so it is easier for users to create completers in C#. Curre...

Opengraph URL: https://github.com/PowerShell/PowerShell/issues/25033

X: @github

direct link

Domain: patch-diff.githubusercontent.com


Hey, it has json ld scripts:
{"@context":"https://schema.org","@type":"DiscussionForumPosting","headline":"Provide base class or extend interface for Argument Completers","articleBody":"### Summary of the new feature / enhancement\n\nRelated to https://github.com/PowerShell/PowerShell-RFC/pull/269\n\nWe should provide a base class for Argument completers, so it is easier for users to create completers in C#.\n\n### **Current State**\n\n- User implements `IArgumentCompleter` interface.\n- User implements `CompleteArgument` method.\n- User has to write custom matching logic and handle quotes themselves.\n- Internal PowerShell completers need to call like static methods `CompletionCompleters.GetMatchingResults`, which is also repeated in every completer. This method's behaviour is also still in the internal API and not exposed for general use.\n\n### Proposed State\n\n- User implements derived Argument completer class from base abstract class `ArgumentCompleter`.\n- User only needs to implement abstract method `GetPossibleCompletionValues()`. Has the option to also override `ToolTipMapping`, `ListItemTextMapping` or `CompletionResultType`.\n- Abstract class implements `CompleteArgument` method. This cannot be overridden since it sets properties on base class and calls `GetMatchingResults`, which can be overridden since its behaviour can change.\n- Make sure base class is public and can be consumed by anyone writing completers in C#. I am not sure what assembly this can go into but it makes sense for base class to remain in core code so our internal completers can use it as well. \n- Internal PowerShell completers can also derive from this base class and become simplified. \n\n### Other considerations\n\n- Current base class example I've created does not include broad support for escaping; we'd probably need a way to include that in base class since its very cumbersome to do that yourself.\n- Ensure base class does not become fragile, but I suspect this won't be an issue if it exposes the right things and allows core completion functionality to be overridden in derived classes. I'd expect that once the base class is finalised and has flexibility with options it would probably not require much change. \n- Extend interface to include this functionality and provide default methods.\n\n### Proposed technical implementation details (optional)\n\n### Proposed Base Class - Option 1\n\n\u003cdetails\u003e\n\n```csharp\nusing System.Collections;\nusing System.Collections.Generic;\nusing System.Management.Automation.Language;\n\nnamespace System.Management.Automation\n{\n    public abstract class ArgumentCompleter : IArgumentCompleter\n    {\n        // Readonly properties which are visible in derived classes\n        protected string CommandName { get; private set; }\n        protected string ParameterName { get; private set; }\n        protected string WordToComplete { get; private set; }\n        protected CommandAst CommandAst { get; private set; }\n        protected IDictionary FakeBoundParameters { get; private set; }\n        \n        // User can optionally override these\n        protected virtual bool ShouldComplete { get; set; } = true;\n        protected virtual CompletionResultType CompletionResultType { get; set; } = CompletionResultType.Text;\n        protected virtual Func\u003cstring, string\u003e ToolTipMapping { get; set; }\n        protected virtual Func\u003cstring, string\u003e ListItemTextMapping { get; set; }\n        protected virtual bool EscapeGlobbingPath { get; set; }\n\n        // User must implement this\n        protected abstract IEnumerable\u003cstring\u003e GetPossibleCompletionValues();\n\n        // Default CompleteArgument implementation\n        // Cannot be overriden since it sets properties on base class and calls GetMatchingResults which can be overriden\n        public IEnumerable\u003cCompletionResult\u003e CompleteArgument(\n            string commandName,\n            string parameterName,\n            string wordToComplete,\n            CommandAst commandAst,\n            IDictionary fakeBoundParameters)\n        {\n            CommandName = commandName;\n            ParameterName = parameterName;\n            WordToComplete = wordToComplete;\n            CommandAst = commandAst;\n            FakeBoundParameters = fakeBoundParameters;\n            return ShouldComplete ? GetMatchingResults(wordToComplete) : [];\n        }\n\n        // Default matching with quote handling implementation encapsulated in base class\n        // Can be overriden if default behaviour needs to change\n        protected virtual IEnumerable\u003cCompletionResult\u003e GetMatchingResults(string wordToComplete)\n        {\n            string quote = CompletionCompleters.HandleDoubleAndSingleQuote(ref wordToComplete);\n\n            foreach (string value in GetPossibleCompletionValues())\n            {\n                if (value.StartsWith(wordToComplete, StringComparison.OrdinalIgnoreCase))\n                {\n                    string completionText = QuoteCompletionText(completionText: value, quote, EscapeGlobbingPath);\n\n                    string toolTip = ToolTipMapping?.Invoke(value) ?? value;\n                    string listItemText = ListItemTextMapping?.Invoke(value) ?? value;\n\n                    yield return new CompletionResult(completionText, listItemText, CompletionResultType, toolTip);\n                }\n            }\n        }\n\n        // Quote escaping which is probably fine to start out with but can be expanded later\n        private static string QuoteCompletionText(string completionText, string quote, bool escapeGlobbingPath)\n        {\n            if (CompletionCompleters.CompletionRequiresQuotes(completionText, escapeGlobbingPath))\n            {\n                string quoteInUse = string.IsNullOrEmpty(quote) ? \"'\" : quote;\n\n                completionText = quoteInUse == \"'\"\n                    ? completionText.Replace(\"'\", \"''\")\n                    : completionText.Replace(\"`\", \"``\").Replace(\"$\", \"`$\");\n\n                if (escapeGlobbingPath)\n                {\n                    completionText = quoteInUse == \"'\"\n                        ? completionText.Replace(\"[\", \"`[\").Replace(\"]\", \"`]\")\n                        : completionText.Replace(\"[\", \"``[\").Replace(\"]\", \"``]\");\n                }\n\n                return quoteInUse + completionText + quoteInUse;\n            }\n\n            return quote + completionText + quote;\n        }\n    }\n}\n\n```\n\n\u003c/details\u003e\n\n### Proposed extension of Interface - Option 2\n\n\u003cdetails\u003e\n\n```csharp\n    public interface IArgumentCompleter\n    {\n        /// \u003csummary\u003e\n        /// Implementations of this function are called by PowerShell to complete arguments.\n        /// \u003c/summary\u003e\n        /// \u003cparam name=\"commandName\"\u003eThe name of the command that needs argument completion.\u003c/param\u003e\n        /// \u003cparam name=\"parameterName\"\u003eThe name of the parameter that needs argument completion.\u003c/param\u003e\n        /// \u003cparam name=\"wordToComplete\"\u003eThe (possibly empty) word being completed.\u003c/param\u003e\n        /// \u003cparam name=\"commandAst\"\u003eThe command ast in case it is needed for completion.\u003c/param\u003e\n        /// \u003cparam name=\"fakeBoundParameters\"\u003e\n        /// This parameter is similar to $PSBoundParameters, except that sometimes PowerShell cannot or\n        /// will not attempt to evaluate an argument, in which case you may need to use \u003cparamref name=\"commandAst\"/\u003e.\n        /// \u003c/param\u003e\n        /// \u003creturns\u003e\n        /// A collection of completion results, most like with \u003csee cref=\"CompletionResult.ResultType\"/\u003e set to\n        /// \u003csee cref=\"CompletionResultType.ParameterValue\"/\u003e.\n        /// \u003c/returns\u003e\n        IEnumerable\u003cCompletionResult\u003e CompleteArgument(\n            string commandName,\n            string parameterName,\n            string wordToComplete,\n            CommandAst commandAst,\n            IDictionary fakeBoundParameters)\n        {\n            CommandName = commandName;\n            ParameterName = parameterName;\n            WordToComplete = wordToComplete;\n            CommandAst = commandAst;\n            FakeBoundParameters = fakeBoundParameters;\n            return ShouldComplete ? GetMatchingResults(wordToComplete) : [];\n        }\n\n        /// \u003csummary\u003e\n        /// Gets the name of the command that needs argument completion.\n        /// \u003c/summary\u003e\n        protected static string? CommandName { get; private set; }\n\n        /// \u003csummary\u003e\n        /// Gets the name of the parameter that needs argument completion.\n        /// \u003c/summary\u003e\n        protected static string? ParameterName { get; private set; }\n\n        /// \u003csummary\u003e\n        /// Gets the word being completed.\n        /// \u003c/summary\u003e\n        protected static string? WordToComplete { get; private set; }\n\n        /// \u003csummary\u003e\n        /// Gets the command abstract syntax tree (AST).\n        /// \u003c/summary\u003e\n        protected static CommandAst? CommandAst { get; private set; }\n\n        /// \u003csummary\u003e\n        /// Gets the fake bound parameters similar to $PSBoundParameters.\n        /// \u003c/summary\u003e\n        protected static IDictionary? FakeBoundParameters { get; private set; }\n\n        /// \u003csummary\u003e\n        /// Gets value indicating whether to perform completion.\n        /// \u003c/summary\u003e\n        protected bool ShouldComplete =\u003e true;\n\n        /// \u003csummary\u003e\n        /// Gets the type of the completion result.\n        /// \u003c/summary\u003e\n        protected CompletionResultType CompletionResultType =\u003e CompletionResultType.Text;\n\n        /// \u003csummary\u003e\n        /// Gets the mapping function for tooltips.\n        /// \u003c/summary\u003e\n        protected Func\u003cstring, string\u003e? ToolTipMapping =\u003e null;\n\n        /// \u003csummary\u003e\n        /// Gets the mapping function for list item texts.\n        /// \u003c/summary\u003e\n        protected Func\u003cstring, string\u003e? ListItemTextMapping =\u003e null;\n\n        /// \u003csummary\u003e\n        /// Gets value indicating whether to escape globbing paths.\n        /// \u003c/summary\u003e\n        protected bool EscapeGlobbingPath =\u003e false;\n\n        /// \u003csummary\u003e\n        /// Gets the possible completion values.\n        /// \u003c/summary\u003e\n        protected IEnumerable\u003cstring\u003e PossibleCompletionValues =\u003e [];\n\n        /// \u003csummary\u003e\n        /// Matches the possible completion values against the word to complete.\n        /// \u003c/summary\u003e\n        /// \u003cparam name=\"wordToComplete\"\u003eThe word to complete, which is used as a pattern for matching possible values.\u003c/param\u003e\n        /// \u003creturns\u003eAn \u003csee cref=\"IEnumerable{CompletionResult}\"/\u003e containing the matching completion results.\u003c/returns\u003e\n        /// \u003cremarks\u003eThis method handles different variations of completions, including considerations for quotes and escaping globbing paths.\u003c/remarks\u003e\n        protected IEnumerable\u003cCompletionResult\u003e GetMatchingResults(string wordToComplete)\n        {\n            string quote = CompletionCompleters.HandleDoubleAndSingleQuote(ref wordToComplete);\n\n            foreach (string value in PossibleCompletionValues)\n            {\n                if (value.StartsWith(wordToComplete, StringComparison.OrdinalIgnoreCase))\n                {\n                    string completionText = QuoteCompletionText(completionText: value, quote, EscapeGlobbingPath);\n\n                    string toolTip = ToolTipMapping?.Invoke(value) ?? value;\n                    string listItemText = ListItemTextMapping?.Invoke(value) ?? value;\n\n                    yield return new CompletionResult(completionText, listItemText, CompletionResultType, toolTip);\n                }\n            }\n        }\n\n        /// \u003csummary\u003e\n        /// Quotes the completion text.\n        /// \u003c/summary\u003e\n        /// \u003cparam name=\"completionText\"\u003eThe text to complete.\u003c/param\u003e\n        /// \u003cparam name=\"quote\"\u003eThe quote to use.\u003c/param\u003e\n        /// \u003cparam name=\"escapeGlobbingPath\"\u003eTrue if the globbing path needs to be escaped; otherwise, false.\u003c/param\u003e\n        /// \u003creturns\u003e\n        /// A quoted string if quoting is necessary.\n        /// \u003c/returns\u003e\n        private static string QuoteCompletionText(string completionText, string quote, bool escapeGlobbingPath)\n        {\n            if (CompletionCompleters.CompletionRequiresQuotes(completionText, escapeGlobbingPath))\n            {\n                string quoteInUse = string.IsNullOrEmpty(quote) ? \"'\" : quote;\n\n                completionText = quoteInUse == \"'\"\n                    ? completionText.Replace(\"'\", \"''\")\n                    : completionText.Replace(\"`\", \"``\").Replace(\"$\", \"`$\");\n\n                if (escapeGlobbingPath)\n                {\n                    completionText = quoteInUse == \"'\"\n                        ? completionText.Replace(\"[\", \"`[\").Replace(\"]\", \"`]\")\n                        : completionText.Replace(\"[\", \"``[\").Replace(\"]\", \"``]\");\n                }\n\n                return quoteInUse + completionText + quoteInUse;\n            }\n\n            return quote + completionText + quote;\n        }\n\n    }\n```\n\n\u003c/details\u003e","author":{"url":"https://github.com/ArmaanMcleod","@type":"Person","name":"ArmaanMcleod"},"datePublished":"2025-02-16T03:34:16.000Z","interactionStatistic":{"@type":"InteractionCounter","interactionType":"https://schema.org/CommentAction","userInteractionCount":7},"url":"https://github.com/25033/PowerShell/issues/25033"}

route-pattern/_view_fragments/issues/show/:user_id/:repository/:id/issue_layout(.:format)
route-controllervoltron_issues_fragments
route-actionissue_layout
fetch-noncev2:93179a14-731e-b06c-63f8-a1724736c069
current-catalog-service-hash81bb79d38c15960b92d99bca9288a9108c7a47b18f2423d0f6438c5b7bcd2114
request-idCAD4:1F1F98:948F3F0:C4E705C:696E044A
html-safe-noncef0fa0212b95a9118aae3925ba3ec897b52c1b4c6d207c551f1af3c297e464cfa
visitor-payloadeyJyZWZlcnJlciI6IiIsInJlcXVlc3RfaWQiOiJDQUQ0OjFGMUY5ODo5NDhGM0YwOkM0RTcwNUM6Njk2RTA0NEEiLCJ2aXNpdG9yX2lkIjoiMjAyNDk5ODI3MzQ3NzkwMzQzNCIsInJlZ2lvbl9lZGdlIjoiaWFkIiwicmVnaW9uX3JlbmRlciI6ImlhZCJ9
visitor-hmac67b4946a8a7748f4cc704228c1259356ed08b7b6927316d7d05ea53f8aab0bc5
hovercard-subject-tagissue:2855855682
github-keyboard-shortcutsrepository,issues,copilot
google-site-verificationApib7-x98H0j5cPqHWwSMm6dNU4GmODRoqxLiDzdx9I
octolytics-urlhttps://collector.github.com/github/collect
analytics-location///voltron/issues_fragments/issue_layout
fb:app_id1401488693436528
apple-itunes-appapp-id=1477376905, app-argument=https://github.com/_view_fragments/issues/show/PowerShell/PowerShell/25033/issue_layout
twitter:imagehttps://opengraph.githubassets.com/6d34bcf666ea0276da3614f15dda0e454ca8f4c8753ceda6e33165031800d67e/PowerShell/PowerShell/issues/25033
twitter:cardsummary_large_image
og:imagehttps://opengraph.githubassets.com/6d34bcf666ea0276da3614f15dda0e454ca8f4c8753ceda6e33165031800d67e/PowerShell/PowerShell/issues/25033
og:image:altSummary of the new feature / enhancement Related to PowerShell/PowerShell-RFC#269 We should provide a base class for Argument completers, so it is easier for users to create completers in C#. Curre...
og:image:width1200
og:image:height600
og:site_nameGitHub
og:typeobject
og:author:usernameArmaanMcleod
hostnamegithub.com
expected-hostnamegithub.com
None9b5131b207ddd175abf059a848d5f4302ec0606b02211b989013be49cf08593e
turbo-cache-controlno-preview
go-importgithub.com/PowerShell/PowerShell git https://github.com/PowerShell/PowerShell.git
octolytics-dimension-user_id11524380
octolytics-dimension-user_loginPowerShell
octolytics-dimension-repository_id49609581
octolytics-dimension-repository_nwoPowerShell/PowerShell
octolytics-dimension-repository_publictrue
octolytics-dimension-repository_is_forkfalse
octolytics-dimension-repository_network_root_id49609581
octolytics-dimension-repository_network_root_nwoPowerShell/PowerShell
turbo-body-classeslogged-out env-production page-responsive
disable-turbofalse
browser-stats-urlhttps://api.github.com/_private/browser/stats
browser-errors-urlhttps://api.github.com/_private/browser/errors
releasef8590a63bfc8093b241930ca57d536c9a50f9680
ui-targetfull
theme-color#1e2327
color-schemelight dark

Links:

Skip to contenthttps://patch-diff.githubusercontent.com/PowerShell/PowerShell/issues/25033#start-of-content
https://patch-diff.githubusercontent.com/
Sign in https://patch-diff.githubusercontent.com/login?return_to=https%3A%2F%2Fgithub.com%2FPowerShell%2FPowerShell%2Fissues%2F25033
GitHub CopilotWrite better code with AIhttps://github.com/features/copilot
GitHub SparkBuild and deploy intelligent appshttps://github.com/features/spark
GitHub ModelsManage and compare promptshttps://github.com/features/models
MCP RegistryNewIntegrate external toolshttps://github.com/mcp
ActionsAutomate any workflowhttps://github.com/features/actions
CodespacesInstant dev environmentshttps://github.com/features/codespaces
IssuesPlan and track workhttps://github.com/features/issues
Code ReviewManage code changeshttps://github.com/features/code-review
GitHub Advanced SecurityFind and fix vulnerabilitieshttps://github.com/security/advanced-security
Code securitySecure your code as you buildhttps://github.com/security/advanced-security/code-security
Secret protectionStop leaks before they starthttps://github.com/security/advanced-security/secret-protection
Why GitHubhttps://github.com/why-github
Documentationhttps://docs.github.com
Bloghttps://github.blog
Changeloghttps://github.blog/changelog
Marketplacehttps://github.com/marketplace
View all featureshttps://github.com/features
Enterpriseshttps://github.com/enterprise
Small and medium teamshttps://github.com/team
Startupshttps://github.com/enterprise/startups
Nonprofitshttps://github.com/solutions/industry/nonprofits
App Modernizationhttps://github.com/solutions/use-case/app-modernization
DevSecOpshttps://github.com/solutions/use-case/devsecops
DevOpshttps://github.com/solutions/use-case/devops
CI/CDhttps://github.com/solutions/use-case/ci-cd
View all use caseshttps://github.com/solutions/use-case
Healthcarehttps://github.com/solutions/industry/healthcare
Financial serviceshttps://github.com/solutions/industry/financial-services
Manufacturinghttps://github.com/solutions/industry/manufacturing
Governmenthttps://github.com/solutions/industry/government
View all industrieshttps://github.com/solutions/industry
View all solutionshttps://github.com/solutions
AIhttps://github.com/resources/articles?topic=ai
Software Developmenthttps://github.com/resources/articles?topic=software-development
DevOpshttps://github.com/resources/articles?topic=devops
Securityhttps://github.com/resources/articles?topic=security
View all topicshttps://github.com/resources/articles
Customer storieshttps://github.com/customer-stories
Events & webinarshttps://github.com/resources/events
Ebooks & reportshttps://github.com/resources/whitepapers
Business insightshttps://github.com/solutions/executive-insights
GitHub Skillshttps://skills.github.com
Documentationhttps://docs.github.com
Customer supporthttps://support.github.com
Community forumhttps://github.com/orgs/community/discussions
Trust centerhttps://github.com/trust-center
Partnershttps://github.com/partners
GitHub SponsorsFund open source developershttps://github.com/sponsors
Security Labhttps://securitylab.github.com
Maintainer Communityhttps://maintainers.github.com
Acceleratorhttps://github.com/accelerator
Archive Programhttps://archiveprogram.github.com
Topicshttps://github.com/topics
Trendinghttps://github.com/trending
Collectionshttps://github.com/collections
Enterprise platformAI-powered developer platformhttps://github.com/enterprise
GitHub Advanced SecurityEnterprise-grade security featureshttps://github.com/security/advanced-security
Copilot for BusinessEnterprise-grade AI featureshttps://github.com/features/copilot/copilot-business
Premium SupportEnterprise-grade 24/7 supporthttps://github.com/premium-support
Pricinghttps://github.com/pricing
Search syntax tipshttps://docs.github.com/search-github/github-code-search/understanding-github-code-search-syntax
documentationhttps://docs.github.com/search-github/github-code-search/understanding-github-code-search-syntax
Sign in https://patch-diff.githubusercontent.com/login?return_to=https%3A%2F%2Fgithub.com%2FPowerShell%2FPowerShell%2Fissues%2F25033
Sign up https://patch-diff.githubusercontent.com/signup?ref_cta=Sign+up&ref_loc=header+logged+out&ref_page=%2F%3Cuser-name%3E%2F%3Crepo-name%3E%2Fvoltron%2Fissues_fragments%2Fissue_layout&source=header-repo&source_repo=PowerShell%2FPowerShell
Reloadhttps://patch-diff.githubusercontent.com/PowerShell/PowerShell/issues/25033
Reloadhttps://patch-diff.githubusercontent.com/PowerShell/PowerShell/issues/25033
Reloadhttps://patch-diff.githubusercontent.com/PowerShell/PowerShell/issues/25033
PowerShell https://patch-diff.githubusercontent.com/PowerShell
PowerShellhttps://patch-diff.githubusercontent.com/PowerShell/PowerShell
Notifications https://patch-diff.githubusercontent.com/login?return_to=%2FPowerShell%2FPowerShell
Fork 8.1k https://patch-diff.githubusercontent.com/login?return_to=%2FPowerShell%2FPowerShell
Star 51.2k https://patch-diff.githubusercontent.com/login?return_to=%2FPowerShell%2FPowerShell
Code https://patch-diff.githubusercontent.com/PowerShell/PowerShell
Issues 1.2k https://patch-diff.githubusercontent.com/PowerShell/PowerShell/issues
Pull requests 212 https://patch-diff.githubusercontent.com/PowerShell/PowerShell/pulls
Discussions https://patch-diff.githubusercontent.com/PowerShell/PowerShell/discussions
Actions https://patch-diff.githubusercontent.com/PowerShell/PowerShell/actions
Projects 7 https://patch-diff.githubusercontent.com/PowerShell/PowerShell/projects
Security Uh oh! There was an error while loading. Please reload this page. https://patch-diff.githubusercontent.com/PowerShell/PowerShell/security
Please reload this pagehttps://patch-diff.githubusercontent.com/PowerShell/PowerShell/issues/25033
Insights https://patch-diff.githubusercontent.com/PowerShell/PowerShell/pulse
Code https://patch-diff.githubusercontent.com/PowerShell/PowerShell
Issues https://patch-diff.githubusercontent.com/PowerShell/PowerShell/issues
Pull requests https://patch-diff.githubusercontent.com/PowerShell/PowerShell/pulls
Discussions https://patch-diff.githubusercontent.com/PowerShell/PowerShell/discussions
Actions https://patch-diff.githubusercontent.com/PowerShell/PowerShell/actions
Projects https://patch-diff.githubusercontent.com/PowerShell/PowerShell/projects
Security https://patch-diff.githubusercontent.com/PowerShell/PowerShell/security
Insights https://patch-diff.githubusercontent.com/PowerShell/PowerShell/pulse
New issuehttps://patch-diff.githubusercontent.com/login?return_to=https://github.com/PowerShell/PowerShell/issues/25033
New issuehttps://patch-diff.githubusercontent.com/login?return_to=https://github.com/PowerShell/PowerShell/issues/25033
Provide base class or extend interface for Argument Completershttps://patch-diff.githubusercontent.com/PowerShell/PowerShell/issues/25033#top
In-PRIndicates that a PR is out for the issuehttps://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22In-PR%22
Issue-Enhancementthe issue is more of a feature request than a bughttps://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22Issue-Enhancement%22
Needs-TriageThe issue is new and needs to be triaged by a work group.https://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22Needs-Triage%22
WG-Enginecore PowerShell engine, interpreter, and runtimehttps://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22WG-Engine%22
WG-NeedsReviewNeeds a review by the labeled Working Grouphttps://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22WG-NeedsReview%22
https://github.com/ArmaanMcleod
https://github.com/ArmaanMcleod
ArmaanMcleodhttps://github.com/ArmaanMcleod
on Feb 16, 2025https://github.com/PowerShell/PowerShell/issues/25033#issue-2855855682
PowerShell/PowerShell-RFC#269https://github.com/PowerShell/PowerShell-RFC/pull/269
In-PRIndicates that a PR is out for the issuehttps://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22In-PR%22
Issue-Enhancementthe issue is more of a feature request than a bughttps://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22Issue-Enhancement%22
Needs-TriageThe issue is new and needs to be triaged by a work group.https://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22Needs-Triage%22
WG-Enginecore PowerShell engine, interpreter, and runtimehttps://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22WG-Engine%22
WG-NeedsReviewNeeds a review by the labeled Working Grouphttps://github.com/PowerShell/PowerShell/issues?q=state%3Aopen%20label%3A%22WG-NeedsReview%22
https://github.com
Termshttps://docs.github.com/site-policy/github-terms/github-terms-of-service
Privacyhttps://docs.github.com/site-policy/privacy-policies/github-privacy-statement
Securityhttps://github.com/security
Statushttps://www.githubstatus.com/
Communityhttps://github.community/
Docshttps://docs.github.com/
Contacthttps://support.github.com?tags=dotcom-footer

Viewport: width=device-width


URLs of crawlers that visited me.