使用PowerShell循环遍历目录中的文件

如何更改以下代码以查看目录中的所有.log文件,而不仅仅是一个文件?

我需要遍历所有文件并删除不包含“step4”或“step9”的所有行。目前这将创建一个新文件,但我不确定如何使用这里的for each循环(新手)。

实际的文件像这样命名:2013 09 03 00_01_29.log。我想输出文件要么覆盖它们,要么有相同的名称,附加“out”。

$In = "C:\Users\gerhardl\Documents\My Received Files\Test_In.log"
$Out = "C:\Users\gerhardl\Documents\My Received Files\Test_Out.log"
$Files = "C:\Users\gerhardl\Documents\My Received Files\"


Get-Content $In | Where-Object {$_ -match 'step4' -or $_ -match 'step9'} | `
Set-Content $Out
686834 次浏览

获取您可以使用的目录的内容

$files = Get-ChildItem "C:\Users\gerhardl\Documents\My Received Files\"

然后你也可以循环这个变量:

for ($i=0; $i -lt $files.Count; $i++) {
$outfile = $files[$i].FullName + "out"
Get-Content $files[$i].FullName | Where-Object { ($_ -match 'step4' -or $_ -match 'step9') } | Set-Content $outfile
}

一个更简单的方法是foreach循环(感谢@Soapy和@MarkSchultheiss):

foreach ($f in $files){
$outfile = $f.FullName + "out"
Get-Content $f.FullName | Where-Object { ($_ -match 'step4' -or $_ -match 'step9') } | Set-Content $outfile
}

试一试:

Get-ChildItem "C:\Users\gerhardl\Documents\My Received Files" -Filter *.log |
Foreach-Object {
$content = Get-Content $_.FullName


#filter and save content to the original file
$content | Where-Object {$_ -match 'step[49]'} | Set-Content $_.FullName


#filter and save content to a new file
$content | Where-Object {$_ -match 'step[49]'} | Set-Content ($_.BaseName + '_out.log')
}
其他的答案都很棒,我只是想补充…PowerShell中使用的不同方法: 安装GNUWin32 utils并使用grep查看这些行/将输出重定向到文件http://gnuwin32.sourceforge.net/

这样每次都会覆盖新文件:

grep "step[49]" logIn.log > logOut.log

这将附加日志输出,以防你覆盖logIn文件并想要保留数据:

grep "step[49]" logIn.log >> logOut.log

注意:为了能够全局使用GNUWin32 utils,你必须将bin文件夹添加到你的系统路径中。

如果你需要递归地在目录中循环特定类型的文件,使用下面的命令,它过滤所有doc文件类型
的文件

$fileNames = Get-ChildItem -Path $scriptPath -Recurse -Include *.doc

如果需要对多个类型进行过滤,请使用下面的命令。

$fileNames = Get-ChildItem -Path $scriptPath -Recurse -Include *.doc,*.pdf

现在,$fileNames变量充当数组变量,你可以从中循环并应用你的业务逻辑。