M. X
M. X

Reputation: 1347

Counting folders with Powershell

Does anybody know a powershell 2.0 command/script to count all folders and subfolders (recursive; no files) in a specific folder ( e.g. the number of all subfolders in C:\folder1\folder2)?

In addition I also need also the number of all "leaf"-folders. in other words, I only want to count folders, which don't have subolders.

Upvotes: 11

Views: 34966

Answers (6)

Pierluigi
Pierluigi

Reputation: 2294

Get the path child items with recourse option, pipe it to filter only containers, pipe again to measure item count

((get-childitem -Path $the_path -recurse | where-object { $_.PSIsContainer }) | measure).Count

Upvotes: 0

walid2mi
walid2mi

Reputation: 2888

Another option:

(ls -force -rec | measure -inp {$_.psiscontainer} -Sum).sum

Upvotes: 4

zdan
zdan

Reputation: 29450

To answer the second part of your question, of getting the leaf folder count, just modify the where object clause to add a non-recursive search of each directory, getting only those that return a count of 0:

(dir -rec | where-object{$_.PSIsContainer -and ((dir $_.fullname | where-object{$_.PSIsContainer}).count -eq 0)}).Count

it looks a little cleaner if you can use powershell 3.0:

(dir -rec -directory | where-object{(dir $_.fullname -directory).count -eq 0}).count

Upvotes: 3

Shay Levy
Shay Levy

Reputation: 126732

In PowerShell 3.0 you can use the Directory switch:

(Get-ChildItem -Path <path> -Directory -Recurse -Force).Count

Upvotes: 19

RB.
RB.

Reputation: 37192

You can use get-childitem -recurse to get all the files and folders in the current folder.

Pipe that into Where-Object to filter it to only those files that are containers.

$files = get-childitem -Path c:\temp -recurse 
$folders = $files | where-object { $_.PSIsContainer }
Write-Host $folders.Count

As a one-liner:

(get-childitem -Path c:\temp -recurse | where-object { $_.PSIsContainer }).Count

Upvotes: 10

Dan Puzey
Dan Puzey

Reputation: 34198

This is a pretty good starting point:

(gci -force -recurse | where-object { $_.PSIsContainer }).Count

However, I suspect that this will include .zip files in the count. I'll test that and try to post an update...

EDIT: Have confirmed that zip files are not counted as containers. The above should be fine!

Upvotes: 2

Related Questions