代码之家  ›  专栏  ›  技术社区  ›  Joel

列出给定结构中具有文件大小的所有文件夹和子文件夹

  •  1
  • Joel  · 技术社区  · 6 年前

    我想列出一张光盘的文件夹结构和每个文件夹的大小。

    我已经放下了文件夹结构,现在我只需要输出每个文件夹的大小。

    根据 https://docs.microsoft.com/en-us/windows-server/administration/windows-commands/dir 没有显示文件大小的标志-只隐藏文件大小。我想我走错了这条路,但任何帮助我都会感激的。

    这就是我到目前为止所得到的:

    dir /s /b /o:n /a:d > "C:\folderlist.txt"

    预期输出:

    C:\WINDOWS\system32\downlevel 400mb
    C:\WINDOWS\system32\drivers 100mb
    C:\WINDOWS\system32\DriverState 4kb
    C:\WINDOWS\system32\DriverStore 1kb
    C:\WINDOWS\system32\DRVSTORE 1gb
    

    文件大小的缩写(MB、KB、GB、TB)并不重要。只要它以某种可量化的方式显示折叠。

    也欢迎使用PowerShell替代方案。

    3 回复  |  直到 6 年前
        1
  •  1
  •   mklement0    6 年前

    PowerShell解决方案 建立在 montonero's helpful answer 并改进以下方面:

    • 控制递归深度
    • 提高了性能
    • 更好地与其他Cmdlet集成以实现可组合功能

    基于函数的示例调用 Get-DirectorySize 定义如下:

    # Get the size of the current directory (only).
    Get-DirectorySize
    
    # As requested by the OP:
    # Recursively report the sizes of all subdirectories in the current directory.
    Get-DirectorySize -Recurse -ExcludeSelf
    
    # Get the size of all child directories and sort them by size, from largest
    # to smallest, showing only the 5 largest ones:
    Get-DirectorySize -Depth 1 -ExcludeSelf |
      Sort-Object Size -Descending |
        Select-Object -First 5
    

    最后一个命令的输出示例:

    FullName                           FriendlySize       Size
    --------                           ------------       ----
    C:\Users\jdoe\AppData                3.27gb     3514782772
    C:\Users\jdoe\Desktop              801.40mb      840326199
    C:\Users\jdoe\.nuget               778.97mb      816814396
    C:\Users\jdoe\.vscode              449.12mb      470931418
    C:\Users\jdoe\Projects             104.07mb      109127742
    

    注意这个属性 .FriendlySize 包含友好的、自动缩放的 一串 尺寸表示,而 .Size 是一个数字( [long] )包含实际字节数,这有助于进一步的编程过程。

    注意:向输出对象添加属性有助于 友好的展示 这里只为实现方便而做。正确的PowerShell方法是根据输出对象类型定义格式化指令-请参阅 the docs .

    告诫 (也适用于链接的答案):

    • 只有 符合逻辑的 报告大小,即文件所需的实际字节数 数据 不同于 磁盘大小 ,通常是, 更大的 ,因为文件占用固定大小的块;相反,压缩和稀疏文件占用 较少的 磁盘空间。

    • 递归的实现 -Recurse 和/或 -Depth 效率低下的 ,因为所遇到的每个目录的子树都被完全扫描;这在一定程度上得益于文件系统缓存。


    获取目录大小 源代码

    注意:需要Windows PowerShell v3+;还与PowerShell兼容 核心 .

    function Get-DirectorySize
    {
    
      param(
        [Parameter(ValueFromPipeline)] [Alias('PSPath')]
        [string] $LiteralPath = '.',
        [switch] $Recurse,
        [switch] $ExcludeSelf,
        [int] $Depth = -1,
        [int] $__ThisDepth = 0 # internal use only
      )
    
      process {
    
        # Resolve to a full filesystem path, if necessary
        $fullName = if ($__ThisDepth) { $LiteralPath } else { Convert-Path -ErrorAction Stop -LiteralPath $LiteralPath }
    
        if ($ExcludeSelf) { # Exclude the input dir. itself; implies -Recurse
    
          $Recurse = $True
          $ExcludeSelf = $False
    
        } else { # Process this dir.
    
          # Calculate this dir's total logical size.
          # Note: [System.IO.DirectoryInfo].EnumerateFiles() would be faster, 
          # but cannot handle inaccessible directories.
          $size = [Linq.Enumerable]::Sum(
            [long[]] (Get-ChildItem -Force -Recurse -File -LiteralPath $fullName).ForEach('Length')
          )
    
          # Create a friendly representation of the size.
          $decimalPlaces = 2
          $padWidth = 8
          $scaledSize = switch ([double] $size) {
            {$_ -ge 1tb } { $_ / 1tb; $suffix='tb'; break }
            {$_ -ge 1gb } { $_ / 1gb; $suffix='gb'; break }
            {$_ -ge 1mb } { $_ / 1mb; $suffix='mb'; break }
            {$_ -ge 1kb } { $_ / 1kb; $suffix='kb'; break }
            default       { $_; $suffix='b'; $decimalPlaces = 0; break }
          }
    
          # Construct and output an object representing the dir. at hand.
          [pscustomobject] @{
            FullName = $fullName
            FriendlySize = ("{0:N${decimalPlaces}}${suffix}" -f $scaledSize).PadLeft($padWidth, ' ')
            Size = $size
          }
    
        }
    
        # Recurse, if requested.
        if ($Recurse -or $Depth -ge 1) {
          if ($Depth -lt 0 -or (++$__ThisDepth) -le $Depth) {
            # Note: This top-down recursion is inefficient, because any given directory's
            #       subtree is processed in full.
            Get-ChildItem -Force -Directory -LiteralPath $fullName |
              ForEach-Object { Get-DirectorySize -LiteralPath $_.FullName -Recurse -Depth $Depth -__ThisDepth $__ThisDepth }
          }
        }
    
      }
    
    }
    

    这里是 基于注释的帮助 对于函数;如果将函数添加到 $PROFILE ,将帮助直接放在函数上方或函数体内部,以获得对 -? 自动与 Get-Help .

    <#
    .SYNOPSIS
    Gets the logical size of directories in bytes.
    
    .DESCRIPTION
    Given a literal directory path, output that directory's logical size, i.e.,
    the sum of all files contained in the directory, including hidden ones.
    
    NOTE: 
    * The logical size is distinct from the size on disk, given that files
      are stored in fixed-size blocks. Furthermore, files can be compressed
      or sparse.
      Thus, the size of regular files on disk is typically greater than
      their logical size; conversely, compressed and sparse files require less
      disk space.
      Finally, the list of child items maintained by the filesystem for each 
      directory requires disk space too.
    
    * Wildcard expressions aren't directly supported, but you may pipe in
      Output from Get-ChildItem / Get-Item; if files rather than directotries 
      happen to be among the input objects, their size is reported as-is.
    
    CAVEATS:
     * Can take a long time to run with large directory trees, especially with
       -Recurse.
    * Recursion is implemented inefficently.
    
    .PARAMETER LiteralPath
    The literal path of a directory. May be provided via the pipeline.
    
    .PARAMETER Recurse
    Calculates the logical size not only of the input directory itself, but of
    all subdirectories in its subtree too.
    To limit the recursion depth, use -Depth.
    
    .PARAMETER Depth
    Limits the recursion depth to the specified number of levels. Implies -Recurse.
    Note that 0 means no recursion. Use just -Recurse in order not to limit the
    recursion.
    
    .PARAMETER ExcludeSelf
    Excludes the target directory itself from the size calculation.
    Implies -Recurse. Since -Depth implies -Recurse, you could use -ExcludeSelf
    -Depth 1 to report only the sizes of the immediate subdirectories.
    
    .OUTPUTS
    [pscustomobject] instances with properties FullName, Size, and FriendlySize.
    
    .EXAMPLE
    Get-DirectorySize
    
    Gets the logical size of the current directory.
    
    .EXAMPLE
    Get-DirectorySize -Recurse
    
    Gets the logical size of the current directory and all its subdirectories.
    
    .EXAMPLE
    Get-DirectorySize /path/to -ExcludeSelf -Depth 1 | Sort-Object Size
    
    Gets the logical size of all child directories in /path/to without including
    /path/to itself, and sorts the result by size (largest last).
    #>
    
        2
  •  2
  •   montonero    6 年前

    无法获取文件夹大小 dir . 您需要递归地为每个文件夹分别计算大小。有许多PowerShell示例。这个不错 https://md3v.com/getting-a-folder-tree-size-with-powershell :

    function tree($startFolder)
    {
       $colItems = Get-ChildItem $startFolder | Where-Object {$_.PSIsContainer -eq $true} | Sort-Object
       foreach ($i in $colItems)
       {
           $subFolderItems = Get-ChildItem $i.FullName -recurse -force | Where-Object {$_.PSIsContainer -eq $false} | Measure-Object -property Length -sum | Select-Object Sum
           $i.FullName + " -- " + "{0:N2}" -f ($subFolderItems.sum / 1MB) + " MB"
           tree $i.FullName
       }
    }
    
        3
  •  0
  •   aschipfl    6 年前

    下面是一个批处理脚本,列出给定根目录中的所有目录及其大小。提供根目录作为第一个命令行参数;如果省略,则使用当前目录。这是代码:

    @echo off
    setlocal EnableExtensions DisableDelayedExpansion
    
    rem // Define constants here:
    set "_ROOT=%~1" & if not defined _ROOT set "_ROOT=."
    
    rem // Change into the given root directory:
    pushd "%_ROOT%" && (
        rem // Walk through all immediate sub-directories:
        for /F "delims= eol=|" %%D in ('dir /B /A:D-H "*"') do (
            rem // Initialise variable holding size of sub-directory:
            set "SIZE=0"
            rem // Process sub-directory in a sub-soutine:
            call :PROCESS SIZE "%%~D"
            rem // Display size of sub-directory:
            call set "SIZE=              %%SIZE%%"
            call echo %%SIZE:~-14%%  "%%~fD"
        )
        popd
    )
    
    endlocal
    exit /B
    
    
    :PROCESS
        rem /* Change into the given directory; use short names to avoid trouble with
        rem    extremely long and/or deep paths (remember the limit is 260 characters): */
        pushd "%~s2" && (
            rem /* Walk through all files in the directory; instead of a normal `for` loop,
            rem    `dir` together with a `for /F` loop is used, because `for` would ignore
            rem    hidden files; with `dir` you can choose the attributes and therefore
            rem    ensure that all files are returned: */
            for /F "delims= eol=|" %%F in ('2^> nul dir /B /A:-D "*"') do (
                rem // Sum up the file sizes in a sub-routine:
                call :SUM SIZE "%%SIZE%%" "%%~zF"
            )
            rem /* Walk through all sub-directories; instead of a normal `for` loop, `dir`
            rem    together with a `for /F` loop is used, because `for` would ignore hidden
            rem    sub-directories; with `dir` you can choose the attributes and therefore
            rem    ensure that all sub-directories are returned: */
            for /F "delims= eol=|" %%D in ('2^> nul dir /B /A:D "*"') do (
                rem // Call this sub-routine recursively to process sub-directories:
                call :PROCESS SIZE "%%~D"
            )
            popd
        )
        rem // Return resulting directory size:
        set "%~1=%SIZE%"
        exit /B
    
    :SUM
        rem // Split provided numbers into ones and billions:
        set "ENA1=%~2" & set "ENA2=%~3"
        set "GIG1=%ENA1:~,-9%" & set "ENA1=%ENA1:~-9%"
        set "GIG2=%ENA2:~,-9%" & set "ENA2=%ENA2:~-9%"
        rem /* Sum up the ones, disregard leading zeros, which would let numbers be
        rem    interpreted as octal ones: */
        for /F "tokens=* delims=0" %%M in ("0%ENA1%") do (
            for /F "tokens=* delims=0" %%N in ("0%ENA2%") do (
                set /A "ENA=%%M+%%N+0"
            )
        )
        rem // Sum up the billions, regard the carry from the ones:
        set "GIG=%ENA:~,-9%" & set /A "GIG1+=0, GIG2+=0, GIG+=GIG1+GIG2"
        rem // Join resulting billions and ones to the finally resulting number:
        set "ENA=000000000%ENA%"
        for /F "tokens=* delims=0" %%K in ("%GIG%%ENA:~-9%") do set "%~1=%%K"
        exit /B
    

    示例调用(假定脚本名为 list_folders.bat ):

    list_folders.bat "D:\Root"
    

    实例输出:

            442368  "D:\Root\Data"
         101685022  "D:\Root\More"
           5441536  "D:\Root\Test"