通过Powershell进行智能图像搜索

时间:2010-06-02 12:56:47

标签: image powershell file-search

我对通过自定义属性进行文件搜索感兴趣。例如,我想找到具有特定尺寸的所有JPEG图像。看起来像

Get-ChildItem -Path C:\ -Filter *.jpg -Recursive | where-object { $_.Dimension -eq '1024x768' }

我怀疑它是关于使用System.Drawing的。怎么做? 提前致谢

2 个答案:

答案 0 :(得分:12)

这实际上很容易做到,你对System.Drawing的直觉实际上是正确的:

Add-Type -Assembly System.Drawing

$input | ForEach-Object { [Drawing.Image]::FromFile($_) }

Get-Image.ps1保存在路径中的某个位置,然后就可以使用它了。

另一种选择是将以下内容添加到$profile

Add-Type -Assembly System.Drawing

function Get-Image {
    $input | ForEach-Object { [Drawing.Image]::FromFile($_) }
}

的工作原理基本相同。当然,在你认为合适的时候添加像文档这样的花哨的东西。

然后你就可以使用

gci -inc *.jpg -rec | Get-Image | ? { $_.Width -eq 1024 -and $_.Height -eq 768 }

请注意,您应该在使用后以这种方式处置对象。

当然,您可以添加自定义Dimension属性,以便过滤:

function Get-Image {
    $input |
        ForEach-Object { [Drawing.Image]::FromFile($_) } |
        ForEach-Object {
            $_ | Add-Member -PassThru NoteProperty Dimension ('{0}x{1}' -f $_.Width,$_.Height)
        }
}

答案 1 :(得分:3)

这是一个(几乎)单行的替代实现:

Add-Type -Assembly System.Drawing

Get-ChildItem -Path C:\ -Filter *.jpg -Recursive | ForEach-Object { [System.Drawing.Image]::FromFile($_.FullName) } | Where-Object { $_.Width -eq 1024 -and $_.Height -eq 768 }

如果您需要多次运行此命令,我建议改为Johannes' more complete solution