3

我正在用 C# 开发一个 PowerShell cmdlet,并且有真/假切换语句。我已经注意到我需要指定 -SwitchName $true,如果我希望 bool 为真,否则我得到:

Missing an argument for parameter 'SwitchName'. Specify a parameter of type 'System.Boolean' and try again.

开关是这样装饰的:

        [Parameter(Mandatory = false, Position = 1,
        , ValueFromPipelineByPropertyName = true)]

我怎样才能检测到开关的存在(-SwitchName 设置为 true,没有 -SwitchName 表示 false)?

4

1 回答 1

6

要将参数声明为开关参数,您应该将其类型声明为System.Management.Automation.SwitchParameter而不是System.Boolean. 顺便说一下,可以区分开关参数的三种状态:

Add-Type -TypeDefinition @'
    using System.Management.Automation;
    [Cmdlet(VerbsDiagnostic.Test, "Switch")]
    public class TestSwitchCmdlet : PSCmdlet {
        private bool switchSet;
        private bool switchValue;
        [Parameter]
        public SwitchParameter SwitchName {
            set {
                switchValue=value;
                switchSet=true;
            }
        }
        protected override void BeginProcessing() {
            WriteObject(switchSet ? "SwitchName set to \""+switchValue+"\"." : "SwitchName not set.");
        }
    }
'@ -PassThru|Select-Object -ExpandProperty Assembly|Import-Module

Test-Switch
Test-Switch -SwitchName
Test-Switch -SwitchName: $false
于 2015-09-09T17:45:14.660 回答