我有一些zip文件都以:
结尾Some nameA 1.0.0 rev. 110706.zip
Some nameB 1.0.0 rev. 110806.zip
Some name moreC 1.0 rev. 120904.zip
name 1.1 rev. 130804.zip
在PowerShell中我想读取这些文件名,创建一个只包含版本但转换成以下格式的新文本文件:
1.0.0.110706
1.0.0.110806
1.0.120904
1.1.130804
现在我做:
$files = Get-ChildItem "." -Filter *.zip
for ($i=0; $i -lt $files.Count; $i++) {
$FileName = $files[$i].Name
$strReplace = [regex]::replace($FileName, " rev. ", ".")
$start = $strReplace.LastIndexOf(" ")
$end = $strReplace.LastIndexOf(".")
$length = $end-$start
$temp = $strReplace.Substring($start+1,$length-1)
$temp
}
我看过: Use Powershell to replace subsection of regex result
看看我是否可以获得更紧凑的版本。给出上述模式的任何建议?
答案 0 :(得分:3)
您可以执行一次-replace
操作:
$FileName -replace '^\D+([\.\d]+)\srev\.\s(\d+)','$1.$2'
故障:
^\D+ # 1 or more non-digits - matches ie. "Some nameA "
([\.\d]+) # 1 or more dots or digits, capture group - matches the version
\srev\.\s # 1 whitespace, the characters r, e and v, a dot and another whitespace
(\d+) # 1 or more digits, capture group - matches the revision number
在第二个参数中,我们引用了$1
和$2
的两个捕获组
您可以将Get-ChildItem
传送到ForEach-Object
,而不是使用for
循环并编入$files
索引:
Get-ChildItem . *.zip |ForEach-Object {
$_.BaseName -replace '^\D+([\.\d]+)\srev\.\s(\d+)','$1.$2'
} | Out-File output.txt