数组的元素可以使用索引寻址,第一个元素的索引为0,第i个元素的索引为i-1,最后一个元素的索引为Count-1,但是Powershell为了使用方便,直接可以将 -1 作为最后的一个元素的索引。

  1. PS C:Powershell> $books="元素1","元素2","元素3"
  2. PS C:Powershell> $books[0]
  3. 元素1
  4. PS C:Powershell> $books[1]
  5. 元素2
  6. PS C:Powershell> $books[($book.Count-1)]
  7. 元素3
  8. PS C:Powershell> $books[-1]
  9. 元素3

从数组中选择多个元素

  1. PS C:Powershell> $result=ls
  2. PS C:Powershell> $result[0,3,5,12]
  3. Directory: C:Powershell
  4. Mode LastWriteTime Length Name
  5. ---- ------------- ------ ----
  6. d---- 2011/11/23 17:25 ABC
  7. -a--- 2011/11/24 20:04 26384 a.txt
  8. -a--- 2011/11/24 20:27 12060 alias.ps1
  9. -a--- 2011/11/24 17:37 7420 name.html

将数组逆序输出

  1. PS C:Powershell> $books="元素1","元素2","元素3"
  2. PS C:Powershell> $books[($books.Count)..0]
  3. 元素3
  4. 元素2
  5. 元素1

给数组添加和删除元素

因为Powershell数组在内存中是顺序存储的,所以数组的大小必须是确定的,这样才方便分配存储空间,所以给数组增加元素其实相当于创建一个新的数组,只不过之后会把原来的副本删除。在当前数组追加元素可以使用“+=”操作符。

  1. PS C:Powershell> $books="元素1","元素2","元素3"
  2. PS C:Powershell> $books+="元素4"
  3. PS C:Powershell> $books
  4. 元素1
  5. 元素2
  6. 元素3
  7. 元素4

要删除第三个元素可是使用:

  1. PS C:Powershell> $num=1..4
  2. PS C:Powershell> $num
  3. 1
  4. 2
  5. 3
  6. 4
  7. PS C:Powershell> $num=$num[0..1]+$num[3]
  8. PS C:Powershell> $num
  9. 1
  10. 2
  11. 4