티스토리 뷰


[PowerShell] 문자열 포함 확인


How can you check if a PowerShell string contains a character or substring?


You might be tempted to try this:

PS> $s = ‘abcdefghijk’
PS> $s -contains ‘f’
False

But –contains is for working with the contents of arrays. So you could do this:

PS> ($s.ToCharArray()) -contains ‘f’
True

You’re implicitly converting the string ‘f’ to [char] to make the comparison. Your comparison is actually this

PS> ($s.ToCharArray()) -contains [char]’f’
True

That’s fine for a single character but if you want to test a substring

PS> $s -contains ‘def’
False
PS> ($s.ToCharArray()) -contains ‘def’
False

That approach won’t work.

You need to use the Indexof method

PS> $s.Indexof(‘f’)
5
PS> $s.Indexof(‘def’)
3

The value returned is the position of the FIRST character in the substring.

You can also test an an array of characters

PS> $a = ‘g’,’j’,’a’
PS> $s.IndexOfAny($a)
0

Again you get the FIRST character in this case the ‘a’  

Remember PowerShell is .NET based so the first index is 0

Lets get some repetition into our target

PS> $s = $s * 3

PS> $s
abcdefghijkabcdefghijkabcdefghijk

You also have the option of picking the LAST occurrence of the substring

PS> $s.LastIndexOf(‘f’)
27

PS> $s.LastIndexOfAny($a)
31

This last one is the last ‘j’ in the string – its the last occurrence of any of the characters you wanted to match.

If there isn’t a match you get –1 returned

PS> $s.IndexOf(‘z’)
-1
PS> $s.LastIndexOf(‘z’)
-1

출처 : https://richardspowershellblog.wordpress.com/2018/08/31/powershell-string-contains/


댓글