如果文本文件中以数组中的任何字符串开头,我正在尝试打印出一行。
这是我的代码片段:
array = "test:", "test1:"
if($currentline | Select-String $array) {
Write-Output "Currentline: $currentline"
}
如果数组变量中有任何字符串,我的代码能够在文本文件中打印行。但是我只想打印以数组变量中的字符串开头的行。
Sample of text file:
abcd-test: 123123
test: 1232
shouldnotprint: 1232
Output:
abcd-test: 123123
test: 1232
Expected output:
test: 1232
我已经看到一些关于解决方案的堆栈溢出的问题:
array = "test:", "test1:"
if($currentline | Select-String -Pattern "^test:") {
Write-Output "Currentline: $currentline"
}
但就我而言,我使用数组变量而不是字符串来选择内容,所以我对这部分感到困惑,因为它不起作用。它现在只会打印任何东西。
更新: 谢谢西奥的回答!这是我基于Theo的答案的代码,供参考
array = "test:", "test1:"
$regex = '^({0})' -f (($array |ForEach-Object { [regex]::Escape($_) }) -join '|')
Loop here:
if($currentline -match $regex) {
Write-Output "Currentline: $currentline"
}
使用 Regex-match
运算符应该可以执行您想要的操作:
$array = "test:", "test1:"
# create a regex string from the array.
# make sure all the items in the array have their special characters escaped for Regex
$regex = '^({0})' -f (($array | ForEach-Object { [regex]::Escape($_) }) -join '|')
# $regex will now be '^(test:|test1:)'. The '^' anchors the strings to the beginning of the line
# read the file and let only lines through that match $regex
Get-Content -Path 'D:Testtest.txt' | Where-Object { $_ -match $regex }
或者,如果要读取的文件非常大,请使用switch -Regex -File
方法,如下所示:
switch -Regex -File 'D:Testtest.txt' {
$regex { $_ }
}