我正在用 C# 编写一个二进制 Powershell 模块,我想要一个带有参数的 Cmdlet,该参数提供动态的运行时选项卡完成。但是,我正在努力弄清楚如何在二进制模块中执行此操作。这是我试图让这个工作:
using System;
using System.Collections.ObjectModel;
using System.Management.Automation;
namespace DynamicParameterCmdlet
{
[Cmdlet("Say", "Hello")]
public class MyCmdlet : PSCmdlet
{
[Parameter, PSTypeName("string")]
public RuntimeDefinedParameter Name { get; set; }
public MyCmdlet() : base() {
Collection<Attribute> attributes = new Collection<Attribute>() {
new ParameterAttribute()
};
string[] allowedNames = NameProvider.GetAllowedNames();
attributes.Add(new ValidateSetAttribute(allowedNames));
Name = new RuntimeDefinedParameter("Name", typeof(string), attributes);
}
protected override void ProcessRecord()
{
string name = (string)Name.Value;
WriteObject($"Hello, {Name}");
}
}
public static class NameProvider
{
public static string[] GetAllowedNames()
{
// Hard-coded array here for simplicity but imagine in reality this
// would vary at run-time
return new string[] { "Alice", "Bob", "Charlie" };
}
}
}
这行不通。我没有任何选项卡完成功能。我也收到一个错误:
PS > Say-Hello -Name Alice
Say-Hello : Cannot bind parameter 'Name'. Cannot convert the "Alice" value of type "System.String" to type "System.Management.Automation.RuntimeDefinedParameter".
At line:1 char:17
+ Say-Hello -Name Alice
+ ~~~~~
+ CategoryInfo : InvalidArgument: (:) [Say-Hello], ParameterBindingException
+ FullyQualifiedErrorId : CannotConvertArgumentNoMessage,DynamicParameterCmdlet.MyCmdlet
我找到了一篇文章,其中包含如何在非二进制 Powershell 模块中执行此操作的示例。似乎在您包含的非二进制模块中,DynamicParam
后面跟着构建和返回RuntimeParameterDictionary
对象的语句。基于这个例子,我期望PSCmdlet
类中的等价物,也许是一个可覆盖的GetDynamicParameters()
方法或类似的东西,就像有一个可覆盖的BeginProcessing()
方法一样。
以这种速度,二进制模块正在成为 Powershell 世界中的二等公民。当然有一种方法可以做到这一点,我错过了?