创建数组,哈希表和字典的正确方法是什么?
$array = [System.Collections.ArrayList]@()
$array.GetType()
返回ArrayList,OK。
$hashtable = [System.Collections.Hashtable]
$hashtable.GetType()
返回RuntimeType,Not OK。
$dictionary = ?
如何使用这种.NET方式创建字典?
字典和散列表有什么区别?我不确定何时应该使用其中一种。
答案 0 :(得分:55)
正确的方式(即PowerShell方式)是:
阵列:
> $a = @()
> $a.gettype()
IsPublic IsSerial Name BaseType
-------- -------- ---- --------
True True Object[] System.Array
哈希表/字典:
> $h = @{}
> $h.gettype()
IsPublic IsSerial Name BaseType
-------- -------- ---- --------
True True Hashtable System.Object
对于大多数类似字典的场景,上面的内容应该足够了,但是如果您明确想要Systems.Collections.Generic
中的类型,则可以初始化为:
> $d = New-Object 'system.collections.generic.dictionary[string,string]'
> $d.gettype()
IsPublic IsSerial Name BaseType
-------- -------- ---- --------
True True Dictionary`2 System.Object
> $d["foo"] = "bar"
> $d | Format-Table -auto
Key Value
--- -----
foo bar
答案 1 :(得分:26)
如果要初始化数组,可以使用以下代码:
$array = @() # empty array
$array2 = @('one', 'two', 'three') # array with 3 values
如果要初始化哈希表,请使用以下代码:
$hashtable = @{} # empty hashtable
$hashtable2 = @{One='one'; Two='two';Three='three'} # hashtable with 3 values
Powershell中的Hashtable和字典几乎相同,所以我建议在几乎所有情况下都使用哈希表(除非你需要在需要字典的.NET中做一些事情)