0

我正在编写一个搜索网络位置的 Powershell 脚本,如果文件是在 2011 年或 2012 年创建的,则将文件名以及创建的所有 2011/12 文件的总和写入日志。

当它尝试转换文件创建的日期和时间并将其与我的日期范围进行比较时,我遇到了异常。

<#Checks one network location for files from 2011. 
gets the name of that file and adds to the count for 2011, then writes it to a log. 
Repeats for 2012.#>
    New-Item c:\users\logs\yearLog.txt -type file -force
    $path = "\\path"
    $log = "c:\users\log"
    $date2011 = "2011"
    $date2012 = "2012"
    write-progress -activity "Compiling Data" -status "Progress:"
    $x = 0
    "$date2011 files" | add-content $log

    Get-Childitem -Path $path -Recurse | Where-Object {$_.LastWriteTime -gt (12/31/2010) -AND $_LastWriteTime -lt (01/01/2012) |
    ForEach {
        $filename = $_.fullname
        $x++
        "$filename" | add-content $movelog
    }

    "$date2011 total files = $x" | add-content $log
    $x = 0
    "$date2012 files" | add-content $log

    Get-Childitem -Path $path -Recurse | Where-Object {$_.LastWriteTime -gt (12/31/2011) -AND $_LastWriteTime -lt (01/01/2013) |
    ForEach {
        $filename = $_.fullname
        $x++
        "$filename" | add-content $log
    }
    "$date2012 total files = $x" | add-content $log
}
}
4

1 回答 1

1

关键问题:您在 Where 子句中的大括号不平衡并且管道已损坏。

其他修复:

  • 直接比较年份,因为您已经有一个 DateTime 对象
  • 使用字符串中的变量格式,开始处理索引时会更容易
  • 在 ForEach 上使用 -Begin 子句来初始化计数器

无论如何,这里是一个固定版本,转换为一个函数,所以你可以选择任何路径,年份,并选择日志输出文件夹

function YearLog {
    param(
        [Parameter(Mandatory=$true)][String]$Path,
        [Parameter(Mandatory=$true)][String]$LogFolder,
        [Parameter(Mandatory=$true)][Int]$Year
    )

    $log = '{0}\FileLog-{1}.txt' -f $LogFolder, $Year

    if(Test-Path -Path:$log) { 
        Remove-Item -Force -Path:$log 
    }

    'Files Found for {0}:' -f $Year | add-content $log

    Get-Childitem -Path $Path -Recurse | 
        Where-Object { ($_.LastWriteTime.Year -gt ($Year-1)) -AND ($_.LastWriteTime.Year -lt ($Year+1)) } |
        ForEach -Begin { $x = 0 } -Process {
            $x++ | Out-Null
            $_.FullName | add-content $log
        }

    'Total Found for {0}: {1}' -f $year, $x  | add-content $log
    'Log written for items in {0} for {1}: {2}' -f $Path, $Year, $log | Write-Host 
}

<# Usage:     
   YearLog -Path:$ENV:ProgramFiles -LogFolder:$ENV:TEMP -Year:2012
#>
于 2013-07-18T02:37:44.373 回答