我已经阅读了看似相似的示例,但我不了解该示例的答案。我想获取列表输出并将每个接口写为单独的行(aka list I write to a csv)
。我需要在关键字'interface Vlan *'上拆分初始返回列表
我想将关键字界面vlan*
上返回的列表vlanlist拆分为单独的列表
from ciscoconfparse import CiscoConfParse
import os
for filename in os.listdir():
if filename.endswith(".cfg"):
p = CiscoConfParse(filename)
vlanlist=(p.find_all_children('^interface Vlan'))
vlanlist.insert(0,filename)
print(vlanlist)
这是输出的一行。我需要将关键字"interface vlanxxx"
上的列表分成几行
[ 'interface Vlan1', ' no ip address', ' shutdown', 'interface Vlan2003', ' description XXXXXX', ' ip address 10.224.6.130 255.255.255.224', ' no ip redirects', ' no ip unreachables', ' no ip proxy-arp', ' load-interval 60', ' arp timeout 420']
所需的输出(可能要根据配置文件拆分2-20个不同的接口)
['interface Vlan1' ' no ip address', ' shutdown']
['interface Vlan2003', ' description XXXXXX', ' ip address 10.224.6.130 255.255.255.224', ' no ip redirects', ' no ip unreachables', ' no ip proxy-arp', ' load-interval 60', ' arp timeout 420']
答案 0 :(得分:1)
这是与您的单个测试用例高度耦合的解决方案。如果整个数据集不能代表您的单个测试用例,则必须通过更多测试来进行改进。
def extract(items):
result, filename, idx = [], items[0], -1
for x in items[1:]:
if x.startswith('interface Vlan'):
idx += 1
result.append([filename])
result[idx].append(x)
return result
# given & expected are your example and output
assert expected == extract(given)
编辑:
...并且您已经更改了输入和输出。
def extract(items):
result, idx = [], -1
for x in items:
if x.startswith('interface Vlan'):
idx += 1
result.append([])
if not result: continue # assuming possible unwanted items before 'interface Vlan'
result[idx].append(x)
return result
assert expected == extract(given)
答案 1 :(得分:1)
您可以在添加文件名之前进一步分隔返回的vlanlist
:
# First, find the index in the list where "interface Vlan" exists:
# Also, append None at the end to signify index for end of list
indices = [i for i, v in enumerate(l) if v.startswith('interface Vlan')] + [None]
# [0, 3, None]
# Then, create the list of lists based on the extracted indices and prepend with filename
newlist = [[filename] + vlanlist[indices[i]:indices[i+1]] for i in range(len(indices)-1)]
for l in newlist: print(l)
# ['test.cfg', 'interface Vlan1', ' no ip address', ' shutdown']
# ['test.cfg', 'interface Vlan2003', ' description XXXXXX', ' ip address 10.224.6.130 255.255.255.224', ' no ip redirects', ' no ip unreachables', ' no ip proxy-arp', ' load-interval 60', ' arp timeout 420']
第二个列表理解的解释:
newlist = [
[filename] + # prepend single-item list of filename
vlanlist[ # slice vlanlist
indices[i]: # starting at the current index
indices[i+1] # up to the next index
]
for i in range(len(indices)-1) # iterate up to the second last index so i+1 doesn't become IndexError
]
如果您不喜欢索引方法,可以尝试使用zip
:
lists = [[filename] + vlanlist[start:end] for start, end in zip(indices[:-1], indices[1:])]
答案 2 :(得分:1)
快速直接的解决方案。检查列表中是否有interface Vlan
个项目,如果存在,它会创建一个新列表,否则会附加在旧列表上,并附加一些.strip()
以备不时之需。
output = ['interface Vlan1', ' no ip address', ' shutdown', 'interface Vlan2003', ' description XXXXXX', ' ip address 10.224.6.130 255.255.255.224', ' no ip redirects', ' no ip unreachables', ' no ip proxy-arp', ' load-interval 60', ' arp timeout 420']
results = []
for i in output:
if 'interface Vlan' in i:
results.append([i.strip()])
else:
results[-1].append(i.strip())
>> results
[['interface Vlan1', 'no ip address', 'shutdown'],
['interface Vlan2003',
'description XXXXXX',
'ip address 10.224.6.130 255.255.255.224',
'no ip redirects',
'no ip unreachables',
'no ip proxy-arp',
'load-interval 60',
'arp timeout 420']]
答案 3 :(得分:0)
这将标识单个分割点,并将您的列表分为指定的两个列表。 split_pos列表将找到所有拆分位置;如果存在多个拆分点,则可以迭代此过程。拆分条件将查找一个字符串,该字符串以给定的文本开头,并且至少还有三个字符,即帖子中的“ xxx”。
vlanlist = ['sw01.cfg', 'interface Vlan1', ' no ip address', ' shutdown', 'interface Vlan2003', ' description XXXXXX', ' ip address 10.224.6.130 255.255.255.224', ' no ip redirects', ' no ip unreachables', ' no ip proxy-arp', ' load-interval 60', ' arp timeout 420']
target = "interface Vlan"
split_pos = [idx for idx, str in enumerate(vlanlist) if str.startswith(target) and \
len(str) >= len(target)+3][0]
out1 = [vlanlist[0]] + vlanlist[1:split_pos]
out2 = [vlanlist[0]] + vlanlist[split_pos:]
print(out1)
print(out2)
输出:
['sw01.cfg', 'interface Vlan1', ' no ip address', ' shutdown']
['sw01.cfg', 'interface Vlan2003', ' description XXXXXX',
' ip address 10.224.6.130 255.255.255.224', ' no ip redirects',
' no ip unreachables', ' no ip proxy-arp', ' load-interval 60', ' arp timeout 420']