Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Test-Path fails to return $True on a file that exists

I am trying to validate the existence of a file but the problem is that the file name has brackets in the name i.e. c:\test[R] 10005404, Failed with Comments, [S] SiteName.txt.

I have tried using the string .replace method with no success.

$a = c:\test\[R] 10005404, Failed with Comments, [S] SiteName.txt
$Result = (Test-Path $a)
# Returns $False even though the file exists.

Tried

$a = $a.Replace("[", "`[")
$a = $a.Replace("]", "`]")

$Result = (Test-Path $a)
# Also returns $False even though the file exists.

Ideas would be greatly appreciated. Thanks, ChrisM

like image 763
user991721 Avatar asked Apr 13 '12 17:04

user991721


Video Answer


2 Answers

Try using the -LiteralPath parameter:

Test-Path -LiteralPath 'C:\[My Folder]'

Square brackets have special meaning.

It's actually a POSIX feature so you can do this:

dir [a-f]*

This will give you all things in current directory that start with letter A through F. Bash has the same feature.

like image 90
Andy Arismendi Avatar answered Oct 22 '22 17:10

Andy Arismendi


There are at least three ways to get it to work.

Using something similar to your approach, you need to add 2 backticks when using double-quotes since a single backtick will be evaluated as an escape character before being sent to the Replace method.

$a = "c:\test\[R] 10005404, Failed with Comments, [S] SiteName.txt"
$a = $a.Replace("[", "``[")
$a = $a.Replace("]", "``]")
$Result = Test-Path $a

Using single quotes in the Replace method will also prevent the backticks from being removed.

$a = "c:\test\[R] 10005404, Failed with Comments, [S] SiteName.txt"
$a = $a.Replace('[', '`[')
$a = $a.Replace(']', '`]')
$Result = Test-Path $a

Finally, you could use the LiteralPath parameter which does not use wildcards (the square brackets are used by PowerShell matches to define a set of characters that can be matched).

$a = "c:\test\[R] 10005404, Failed with Comments, [S] SiteName.txt"
$Result = Test-Path -LiteralPath $a
like image 26
Rynant Avatar answered Oct 22 '22 18:10

Rynant