将目录文件夹名称存储到阵列Powershell中

问题描述 投票:12回答:5

我正在尝试编写一个脚本,它将获取特定目录中所有文件夹的名称,然后将每个文件夹作为数组中的条目返回。从这里开始,我将使用每个数组元素来运行一个更大的循环,该循环使用每个元素作为稍后函数调用的参数。所有这一切都是通过powershell进行的。

目前我有这个代码:

function Get-Directorys
{
    $path = gci \\QNAP\wpbackup\

    foreach ($item.name in $path)
    {
        $a = $item.name
    }
}   

$path行是正确的并且获取了所有目录,但是foreach循环是它实际存储第一个目录的各个字符而不是每个目录全名到每个元素的问题。

arrays powershell directory
5个回答
22
投票

这是使用管道的另一个选项:

$arr = Get-ChildItem \\QNAP\wpbackup | 
       Where-Object {$_.PSIsContainer} | 
       Foreach-Object {$_.Name}

5
投票

为了完整性和可读性:

这将以“F”开头的“somefolder”中的所有文件到达数组。

$FileNames = Get-ChildItem -Path '.\somefolder\' -Name 'F*' -File

这将获取当前目录的所有目录:

$FileNames = Get-ChildItem -Path '.\' -Directory

4
投票

$ array =(dir * .txt).FullName

$ array现在是目录中所有文本文件的路径列表。


4
投票
# initialize the items variable with the
# contents of a directory

$items = Get-ChildItem -Path "c:\temp"

# enumerate the items array
foreach ($item in $items)
{
      # if the item is a directory, then process it.
      if ($item.Attributes -eq "Directory")
      {
            Write-Host $item.Name//displaying

            $array=$item.Name//storing in array

      }
}

2
投票

我相信问题是你的foreach循环变量是$item.name。你想要的是一个名为$item的循环变量,你将在每个变量上访问name属性。

foreach ($item in $path)
{
    $item.name
}

另请注意,我已经离开$item.name未分配。在Powershell中,如果结果未存储在变量中,通过管道传输到另一个命令或以其他方式捕获,则它将包含在函数的返回值中。

© www.soinside.com 2019 - 2024. All rights reserved.