从输出中删除路径

问题描述 投票:6回答:5

在PowerShell中使用以下Select-String命令:

Select-String -Path E:\Documents\combined0.txt -Pattern "GET /ccsetup\.exe" -AllMatches > E:\Documents\combined3.txt

创建一个输出文件,每行以路径和文件名开头,后跟冒号。例如:

E:\Documents\combined0.txt:255:255.255.255 - - [31/Dec/2014:04:15:16 -0800] "GET /ccsetup.exe HTTP/1.1" 301 451 "-" "Mozilla/5.0 (compatible; SearchmetricsBot; http://www.xxxx.com/en/xxxx-bot/)"

如何在结果中删除输出文件路径名,输出文件名和冒号?

powershell select-string
5个回答
15
投票

Select-String输出一个对象,您可以从中选择所需的属性。 Get-Member命令会显示这些对象成员,如果你输入它,例如:

Select-String -Path E:\Documents\combined0.txt -Pattern "GET /ccsetup\.exe" -AllMatches  | 
    Get-Member

其中一个属性是Line。所以试试这样:

Select-String -Path E:\Documents\combined0.txt -Pattern "GET /ccsetup\.exe" -AllMatches | 
    Foreach {$_.Line} > E:\Documents\combined3.txt

4
投票

像往常一样,powershell将对象作为对象返回,默认情况下,select-string返回几个属性,包括LineNumber,Filename等;你想要的数据就是“Line”。所以不需要任何花哨的东西,只需将它管道化为“选择线”即可。

例如:

Select-String "bla" filename.txt | select line

或者在你的例子中:

Select-String -Path E:\Documents\combined0.txt -Pattern "GET /ccsetup\.exe" -AllMatches | select line | out-file E:\Documents\combined3.txt

1
投票

如果您正在寻找(子)字符串而不是模式,那么使用-like运算符可能是一种更好的方法,性能方面和易用性。

$searchString = 'GET /ccsetup.exe'

Get-Content 'E:\Documents\combined0.txt' |
  ? { $_ -like "*$searchString*" } |
  Set-Content 'E:\Documents\combined3.txt'

如果确实需要模式匹配,可以使用-like运算符轻松替换-match运算符:

$pattern = 'GET /ccsetup\.exe'

Get-Content 'E:\Documents\combined0.txt' |
  ? { $_ -match $pattern } |
  Set-Content 'E:\Documents\combined3.txt'

0
投票
Get-Content E:\Documents\combined0.txt | Select-String -Pattern "GET /ccsetup\.exe" -AllMatches

0
投票
# define your search path
$files = Get-ChildItem "./some_path"


for ($i=0; $i -lt $files.Count; $i++) {
    # loop through files in search folder
    $x=Select-String -Path $files[$i].FullName -Pattern "whatYouSearch"
    # retrieve the info with the option Line
    $out=$x.Line 
    # echo to output file (append)
    $out >> result.csv
}
© www.soinside.com 2019 - 2024. All rights reserved.