如何验证字符串是否不存在于 Powershell 的 .txt 文件中?

How to verify if a string is not present in a .txt file in Powershell?

我有 10 个 .txt 文件,所有这些文件都有以 01、02、03、04 等 2 位数字开头的行或记录。

File1.txt

01,333,abc,test2,44,55
02,883,def,test5,33,093
03....and so on.
  1. 现在,如果 powershell 发现一个文件不包含以“01”或“02”开头的记录,那么我想抛出一个错误或异常。

  2. 此外,如果有这种文件,那么我不想将无效格式文件复制到输出文件夹。我只想修改和复制带有01或02的txt文件。

我该怎么做?

    Get-ChildItem -Path 'C:\InputFiles\'-Filter '*.txt' -File | ForEach-Object { 
        $file = $_.FullName
        $FileData = Get-Content $file
    
        if($FileData[01] -notlike "01,"){
        Write-Host $file "File is INVALID"
    
        }

 $data = switch -Regex -File $file {
        '^01,' {
             do stuff...

        }

        '^02,' {
            
           do stuff...
        }
        
        default {$_}
    } 
   
    }

  $data | Set-Content -Path $file -Force 
        Copy-Item -Path $file -Destination 'C:\OutputFiles\' -Force
    
        
         

一种方法可以是

Get-ChildItem -Path 'C:\InputFiles\'-Filter '*.txt' -File | ForEach-Object { 
    $isValid = $true
    switch -Regex -File $_.FullName {
        '^0[12],' { <# line begins with '01' or '02', so it's OK; do nothing #> }
        default   { $isValid = $false; break } 
    }
    if ($isValid) {
        # modify the file where you need and copy to the destination folder 
    }
    else {
        Write-Error "File $($_.FullName) is INVALID"
    }
}

或者不使用正则表达式:

Get-ChildItem -Path 'C:\InputFiles\'-Filter '*.txt' -File | ForEach-Object { 
    $isValid = $true
    foreach ($line in (Get-Content -Path $_.FullName)) {
        if ($line -notlike '01,*' -and $line -notlike '02,*') {
            $isValid = $false 
            break
        }
    }   
    if ($isValid) {
        # modify the file where you need and copy to the destination folder 
    }
    else {
        Write-Error "File $($_.FullName) is INVALID"
    }
}