所以我有一个大批我需要逐行搜索并按接口划分。我的代码逐行循环遍历此文件。我想按“!”字符划分接口,并将字符串添加到数组中的元素,以便我可以进行进一步的解析。
该文件的内容如下。
!
interface Loopback0
description MANAGEMENT
ip address 172.xxx.xxx.x
!
interface FastEthernet0/0
description m<1> A<LAN on chr-city>
no ip address
ip flow ingress
duplex auto
speed auto
!
interface FastEthernet0/0.50
description Management
encapsulation dot1Q 50 native
ip address 172.xxx.xxx.x
!
interface FastEthernet0/0.51
description Transit
encapsulation dot1Q 51
ip address 172.xxx.xxx.x
service-policy input mark
!
interface FastEthernet0/1
no ip address
shutdown
duplex auto
speed auto
!
interface Serial0/0/0
description m<1> WAN<> V<CL>
bandwidth 1536
ip address 172.xxx.xxx.x
ip flow ingress
no ip mroute-cache
service-module t1 timeslots 1-24
no cdp enable
service-policy output shape
!
router bgp 65052
搜索配置存档文件代码
for ($m=0; $m -lt $configFileContents.length; $m++) {
$index = 0
if($configFileContents[$m] -eq "interface Loopback0"){ #starting spot
$a = @()
While($configFileContents[$m] -notmatch "router bgp") { #ending spot
if($configFileContents[$m] -ne "!") { #divide the elements
$a[$index] += $configFileContents[$m]
$m++
} else {
$index++
$m++
}
}
Write-Host "interface archive section" -BackgroundColor Green
$a
Write-Host "end of interface archive section"
}`
问题:如何将“!”之间的所有接口字符串添加到数组中的一个元素,并将所有下一个接口字符串添加到第二个元素,依此类推?
更新的代码
$raw = [IO.File]::ReadAllText("$recentConfigFile")
$myArr = @()
$raw.Split("!") | % {$myArr += ,$_.Split("`n")}
$i = 0
$myArr | % {
if ($_[0].Trim() -eq "interface Loopback0") {
$start = $i
} elseif ($_[0].Trim() -eq "router bgp 65052") {
$end = $i
}
$i++
}
$myArr | Select-Object -Skip $start -First ($end-$start)
答案1
您在循环和条件方面投入了太多精力。这将为您生成一个数组,其中每个接口元素都是一个子数组:
$raw = [IO.File]::ReadAllText("C:\Users\Public\Documents\Test\Config.txt")
$myArr = @()
$raw.Split("!") | % {$myArr += ,$_.Split("`n")}
如果您想要的是每个接口部分作为字符串元素,您可以将最后两行更改为:
$myArr = $raw.Split("!")
之后可能需要对数组进行一些清理,但这应该可以让你完成 99% 的操作。例如,要仅获取interface Loopback0
和之间的元素router bgp 65052
:
$i = 0
$myArr | % {
if ($_[0] -like "*interface Loopback0*") {
$start = $i
} elseif ($_[0] -like "*router bgp 65052*") {
$end = $i
}
$i++
}
$myArr | Select-Object -Skip $start -First ($end-$start)
答案2
第一次分块
$x = Get-Content -Path 'D:\powershell\Files\input.txt'
$x2 = $x -join "`r`n"
$x3 = $x2 -split "!`r`n"
简而言之:
$x = @( $(@( Get-Content -Path 'D:\powershell\Files\input.txt' ) -join "`r`n" ) -split "!`r`n" )
然后输出彩色
ForEach ($line in $x) {
$local:lineArr = @( $line -split "`r`n" )
$local:arrayInterfaces = @( $local:lineArr | Where-Object {$_ -match '\s*interface\s'} )
$local:arrayNonInterfaces = @( $local:lineArr | Where-Object { $local:arrayInterfaces -notcontains $_ } )
Write-Host -ForegroundColor Red $( $local:arrayInterfaces -join "`r`n" )
Write-Host -ForegroundColor Green $( $local:arrayNonInterfaces -join "`r`n" )
Write-Host ( '#' * 60 )
}