我有一个名为“ Ben_sucksatpowershell_2018_07_13_21_22_07.txt”的文件名 我正在尝试将该文件重命名为“ b.20180713.b”
对于我正在编写的脚本,我需要重命名一系列文件,并且新名称必须基于原始文件名中的原始yyyy_MM_dd
我知道可以替换一部分文件名,但是我不知道如何剥离下划线,执行多次替换或在同一命令中重命名文件名。我仍然是Powershell的新手。我一直找不到我想要的东西。对于如何获得所需的指导,我将不胜感激。
Foreach ($Slave in $Slaves)
{
$ProcessedPath = "\\$Server\Directory\Processed\"
$ProcessedSlave = "$ProcessedPath\$Slave\"
If (!(Test-Path $ProcessedSlave))
{
Copy-Item -Path $Eticket -Destination $ProcessedPath -Force
ren $Eticket -NewName {$_.Name -replace ("Ben_sucksatpowershel_", "b.") | (".txt",".b")} #of course, this doesn't work though.
}
Else
{
Write-Host "Potato"
}
答案 0 :(得分:2)
仅关注单个-replace
操作如何实现所需的转换。
$n = 'Ben_sucksatpowershell_2018_07_13_21_22_07.txt'
$n -replace '^Ben_sucksatpowershell_(\d{4})_(\d{2})_(\d{2})_.*?\.txt$', 'b.$1$2$3.b'
以上结果:
b.20180713.b
请注意正则表达式如何设计为匹配 entire 输入(^...$
),以便替换表达式完全替换它
捕获组((...)
)用于提取感兴趣的子字符串,在替换表达式($1
中,第一个捕获组{{1})中按顺序引用这些子字符串}代表第二个,...); $2
代表一个数字,而\d
恰好代表{<n>}
个重复)。
为简洁起见,文件名扩展名(<n>
)之前输入中的其余令牌没有明确匹配,但您可以轻松地添加它。
假设其余代码按预期工作,请按如下所示修改_.*?
(ren
)调用:
Rename-Item
答案 1 :(得分:1)
假设您有一个文件名集合,在数组$filenames
下的示例中,您可以使用一个简单的正则表达式来匹配原始的yyyy_MM_dd,然后替换下划线:
foreach ($filename in $filenames) {
if ($filename -match '.*_(\d{4}_\d{2}_\d{2})_.*') {
# $matches is a special / built-in PowerShell variable:
# 1. $matches[0] => full regex match
# 2. $matches[1] => first capturing group
# 3. $matches[n] => nth capturing group
$newName = "b.$($matches[1].Replace('_', '')).b";
# remove -WhatIf when you're ready
ren $filename -NewName $newName -WhatIf;
} else {
Write-Warning "[$filename] does not match expected pattern"
}
}