I am trying to remove any words before content inside [*]
I have multiple files to rename for example 'ABC [1].txt, ABC [2].txt, ABC [3].txt' that I need to rename to '[1].txt, [2].txt, [3].txt'
I have a few hundred items to rename and wondered if this can be done in powershell.
However I can not find any information on doing this. Does anybody have any ideas? Thanks!
Use
Rename-Item
with a delay-bind script block, in which you can dynamically determine the new name for each given file based on its existing name ($_.Name
) and outputting the new one.In your case, the regex-based
-replace
operator allows you to remove everything before the (last)[
from the file name:Note: The
-WhatIf
common parameter in the command above previews the operation. Remove-WhatIf
and re-execute once you're sure the operation will do what you want.Note:
The above could result in duplicate target file names, and handling this case would require extra work.
Not specifying a replacement operand with
-replace
is the same as specifying the empty string, which effectively removes what was matched.'foo' -replace 'o'
is the same as'foo' -replace 'o', ''
: both result in'f'
You could make the regex more robust, if needed; e.g.:
$_.Name -replace '^.+ (?=\[\d+\]\.txt$)'
Or - to demonstrate handling the base file name and its extension separately:
($_.BaseName -replace '^.+ (?=\[\d+\]$)') + $_.Extension
Input file names that don't match the regex cause
-replace
to return the input string as-is, which in turn causesNew-Item
to quietly skip such files (trying to rename a file to its existing name is a quiet no-op).