I have a PS script that kicks off every 5 minutes to check for newly dropped folders and move them. Problem is that sometimes items within the folder are still being written to, in which case the script errors with:
Move-Item : The process cannot access the file because it is being used by another process. [Move-Item], IOException + FullyQualifiedErrorId : MoveDirectoryItemIOError,Microsoft.PowerShell.Commands.MoveItemCommand
I’ve tried the following try/catch block but it still errors on the same “Move-Item” line. Any thoughts to what I’m doing wrong here?
try {
Move-Item -Force "$fileString" $fileStringFixed
}
catch [System.IO.IOException] {
return
}
Thank you.
Try/catch statements can only catch terminating errors (these usually indicate a severe error). PowerShell also has the concept of non-terminating errors. The file-in-use error you see is a non-terminating error. This is good from the perspective that if you were moving thousands of files and one had its target in use, the command doesn’t crap out it keeps going. You have two choices here. You can ignore these errors by setting the ErrorAction parameter to SilentlyContinue (value of 0) e.g.:
Move-Item foo bar -ErrorAction SilentlyContinue
Or you can convert the non-terminating error to a terminating error by setting this same parameter to ‘Stop’ and then use the try/catch although don’t filter by IOException because PowerShell wraps the exception e.g.:
try { Move-Item .About_This_Site.txt vmmap.exe -ErrorAction Stop } `
catch {$_.GetType().FullName}
System.Management.Automation.ErrorRecord
1
I was able to solve this by adding -ErrorAction Stop
to the Move-Item
command. That seems to force it to throw an error as intended, instead of doing whatever it wants.
What I usually do with these situations is use a Switch statement, it works for most none terminating errors. Something like this;
Switch -Regex ($_.exception) {
"used by another process" {
"Do Something about the error"
}
Default {
"Default Action"
}
}
It’s just looking at the exception and doing something defined in the script block.
More can be found on Switch statements here or here