我使用的是PowerShell 2.0,我想输出某个路径的所有子目录。下面的命令输出所有文件和目录,但我不知道如何过滤掉这些文件。
Get-ChildItem c:\mypath -Recurse
我尝试使用$_。属性来获取属性,但我不知道如何构造System.IO.FileAttributes的字面实例来进行比较。在cmd.exe中就是这样
dir /b /ad /s
我使用的是PowerShell 2.0,我想输出某个路径的所有子目录。下面的命令输出所有文件和目录,但我不知道如何过滤掉这些文件。
Get-ChildItem c:\mypath -Recurse
我尝试使用$_。属性来获取属性,但我不知道如何构造System.IO.FileAttributes的字面实例来进行比较。在cmd.exe中就是这样
dir /b /ad /s
当前回答
PowerShell v2及更新版本(k表示您开始搜索的文件夹):
Get-ChildItem $Path -attributes D -Recurse
如果你只需要文件夹名,不需要其他任何东西,使用这个:
Get-ChildItem $Path -Name -attributes D -Recurse
如果您正在寻找特定的文件夹,您可以使用以下命令。在这种情况下,我正在寻找一个名为myFolder的文件夹:
Get-ChildItem $Path -attributes D -Recurse -include "myFolder"
其他回答
这个问题已经得到了很好的回答,但我想补充一些额外的东西,因为我刚刚看到了这个问题。
Get-ChildItem恰好产生两种类型的对象,而大多数命令只产生一种。
返回FileInfo和DirectoryInfo。
你可以通过查看该命令可用的“成员”来查看这一点,如下所示:
Get-ChildItem | Get-Member
TypeName: System.IO.DirectoryInfo TypeName: System.IO.FileInfo
您将看到每种类型可用的各种方法和属性。注意,这里有不同之处。例如FileInfo对象有一个length属性,而DirectoryInfo对象没有。
无论如何,从技术上讲,我们可以通过隔离DirectoryInfo对象只返回目录
Get-ChildItem | Where-Object {$_.GetType().Name -eq "DirectoryInfo"}
显然,正如上面的答案所述,最直接的解决方案是简单地使用Get-ChildItem -Directory,但我们现在知道如何在未来使用多种对象类型:)
PowerShell v2及更新版本(k表示您开始搜索的文件夹):
Get-ChildItem $Path -attributes D -Recurse
如果你只需要文件夹名,不需要其他任何东西,使用这个:
Get-ChildItem $Path -Name -attributes D -Recurse
如果您正在寻找特定的文件夹,您可以使用以下命令。在这种情况下,我正在寻找一个名为myFolder的文件夹:
Get-ChildItem $Path -attributes D -Recurse -include "myFolder"
您可以尝试PsIsContainer对象
Get-ChildItem -path C:\mypath -Recurse | where {$_.PsIsContainer -eq $true}
这种方法需要更少的文本:
ls -r | ? {$_.mode -match "d"}
具体回答原始问题(使用IO.FileAttributes):
Get-ChildItem c:\mypath -Recurse | Where-Object {$_.Attributes -band [IO.FileAttributes]::Directory}
但我更喜欢Marek的解决方案:
Where-Object { $_ -is [System.IO.DirectoryInfo] }