28

如何签入Powershell以查看 $fullPath 中的文件是否早于“5 天 10 小时 5 分钟”?

通过OLD,我的意思是如果它是不迟于5天10小时5分钟创建或修改的)

4

3 回答 3

49

这是一种非常简洁但非常易读的方法:

$lastWrite = (get-item $fullPath).LastWriteTime
$timespan = new-timespan -days 5 -hours 10 -minutes 5

if (((get-date) - $lastWrite) -gt $timespan) {
    # older
} else {
    # newer
}

之所以可行,是因为减去两个日期会给你一个时间跨度。时间跨度与标准运算符相当。

希望这可以帮助。

于 2013-05-17T17:03:35.867 回答
20

Test-Path可以为您执行此操作:

Test-Path $fullPath -OlderThan (Get-Date).AddDays(-5).AddHours(-10).AddMinutes(-5)
于 2015-06-04T22:21:14.383 回答
9

此 powershell 脚本将显示超过 5 天 10 小时 5 分钟的文件。您可以将其保存为带有.ps1扩展名的文件,然后运行它:

# You may want to adjust these
$fullPath = "c:\path\to\your\files"
$numdays = 5
$numhours = 10
$nummins = 5

function ShowOldFiles($path, $days, $hours, $mins)
{
    $files = @(get-childitem $path -include *.* -recurse | where {($_.LastWriteTime -lt (Get-Date).AddDays(-$days).AddHours(-$hours).AddMinutes(-$mins)) -and ($_.psIsContainer -eq $false)})
    if ($files -ne $NULL)
    {
        for ($idx = 0; $idx -lt $files.Length; $idx++)
        {
            $file = $files[$idx]
            write-host ("Old: " + $file.Name) -Fore Red
        }
    }
}

ShowOldFiles $fullPath $numdays $numhours $nummins

以下是有关过滤文件的行的更多详细信息。它被分成多行(可能不是合法的 powershell),以便我可以包含注释:

$files = @(
    # gets all children at the path, recursing into sub-folders
    get-childitem $path -include *.* -recurse |

    where {

    # compares the mod date on the file with the current date,
    # subtracting your criteria (5 days, 10 hours, 5 min) 
    ($_.LastWriteTime -lt (Get-Date).AddDays(-$days).AddHours(-$hours).AddMinutes(-$mins))

    # only files (not folders)
    -and ($_.psIsContainer -eq $false)

    }
)
于 2013-05-17T16:42:39.360 回答