PowerShell函数参数设置成自动识别数据类型的例子
程序员文章站
2022-05-31 11:39:08
本文介绍powershell自定义函数中使用参数集时,怎么设置系统自动识别参数的数据类型。
识别参数类型的一个好处就是,在使用参数集时,不需要每次都指定参数名称了。
请...
本文介绍powershell自定义函数中使用参数集时,怎么设置系统自动识别参数的数据类型。
识别参数类型的一个好处就是,在使用参数集时,不需要每次都指定参数名称了。
请看下面这个test-binding函数。这个powershell函数在设置参数集的时候,为参数集中的第一个参数设置了数据类型,这样在调用函数时,就可以自动判断一个参数值它应该赋给哪个参数了。
复制代码 代码如下:
function test-binding {
[cmdletbinding(defaultparametersetname='name')]
param(
[parameter(parametersetname='id', position=0, mandatory=$true)]
[int]
$id,
[parameter(parametersetname='name', position=0, mandatory=$true)]
[string]
$name
)
$set = $pscmdlet.parametersetname
“you selected $set parameter set”
if ($set -eq ‘id') {
“the numeric id is $id”
} else {
“you entered $name as a name”
}
}
注意函数中参数$id上面的[int]和参数$name上面的[string]。有这了这样的函数定义,那我们在调用时就方便了,如果传一个字符串给它,它会把这个参数当作是$name,而传一个数字给它,这个参数会被当作是$id。且看如下调用函数的示例。
复制代码 代码如下:
ps> test-binding -name hallo
you selected name parameter set
you entered hallo as a name
ps> test-binding -id 12
you selected id parameter set
the numeric id is 12
ps> test-binding hallo
you selected name parameter set
you entered hallo as a name
ps> test-binding 12
you selected id parameter set
the numeric id is 12
上面一共做了4次调用,前两次调用都指定了参数名,没有什么好说的。后面两次都没有指定参数名称,但执行的结果跟前两次一模一样,这表示powershell函数自动识别了输入参数要调用的哪个参数名称。
关于powershell函数参数集自动识别参数数据类型,本文就介绍这么多,希望对您有所帮助,谢谢!