从 PowerShell 函数返回多个项目
Rohan Timalsina
2023年1月30日
2022年7月18日
-
使用
Array
从 PowerShell 函数返回多个项目 -
使用
PSCustomObject
从 PowerShell 函数返回多个项目 -
使用
Hash Tables
从 PowerShell 函数返回多个项目
函数是一个或多个 PowerShell 命令和脚本的集合。只需调用它的名称,它就可以在一个脚本中多次执行。
结果,它增加了脚本的可用性和可读性。PowerShell 中的 return
关键字退出函数或脚本块,并用于从函数返回值。
本教程将教你从 PowerShell 中的函数返回多个值。
使用 Array
从 PowerShell 函数返回多个项目
以下示例从函数 sum
返回单个值。
代码:
function sum()
{
$a = 4
$b =6
$c=$a+$b
return $c
}
sum
输出:
10
要从 PowerShell 函数返回多个值,你可以返回一个对象数组。以下示例使用数组从函数 num
返回多个值。
代码:
function num()
{
$a = 4,5,6
return $a
}
$b=num
Write-Host "The numbers are $($b[0]),$($b[1]),$($b[2])."
输出:
The numbers are 4,5,6.
使用 PSCustomObject
从 PowerShell 函数返回多个项目
你还可以创建 PSCustomObject
并从 PowerShell 中的函数返回多个项目。下面的示例在名为 user
的函数内创建一个 PSCustomObject
$obj
并返回多个值。
代码:
function user()
{
$obj = [PSCustomObject]@{
Name = 'Rohan'
Age = 21
Address = 'UK'
}
return $obj
}
$a=user
Write-Host "$($a.Name) is $($a.Age) and lives in $($a.Address)."
输出:
Rohan is 21 and lives in UK.
使用 Hash Tables
从 PowerShell 函数返回多个项目
哈希表是一个紧凑的数据结构,它使用一个键来存储每个值。它也称为字典或关联数组。
哈希表在 PowerShell 中具有 Keys
和 Values
属性。键和值可以具有任何 .NET
对象类型。
你可以使用 @{}
在 PowerShell 中创建哈希表。键和值放在 {}
括号中。
创建哈希表的语法如下。
@{ <key> = <value>; [<key> = <value> ] ...}
以下示例使用哈希表从名为 user
的函数返回多个值。
代码:
function user()
{
$hash = @{ Name = 'Rohan'; Age = 21; Address = 'UK'}
return $hash
}
$a=user
Write-Host "$($a.Name) is $($a.Age) and lives in $($a.Address)."
输出:
Rohan is 21 and lives in UK.
现在你知道了从 PowerShell 中的函数返回多个项目的不同方法。
Author: Rohan Timalsina