我正在尝试通过Netmiko获取cisco版本。
import re
from netmiko import ConnectHandler
iosv_l3 = {
'device_type': 'cisco_ios',
'ip': 'my ip',
'username': 'username',
'password': 'password',
'secret': 'enable password'
}
net_connect = ConnectHandler(**iosv_l3)
net_connect.enable()
output = net_connect.send_command('show version | include flash')
print(output)
x = re.search(r'["]flash:/(.*)["]',output).group(1)
print(x)
net_connect.disconnect()
Netmiko可以成功地SSH到Cisco设备。我可以看到print(output)的输出:
System image file is "flash:c2900-universalk9-mz.SPA.156-3.M6.bin"
但是,代码导致错误:
x = re.search(r'["]flash:/(.*)["]',output).group(1)
AttributeError: 'NoneType' object has no attribute 'group'
我创建了一个测试文件来测试正则表达式:
import re
txt = "System image file is \"flash:/c2900-universalk9-mz.SPA.156-3.M6.bin\""
txt = re.search(r'["]flash:/(.*)["]',txt).group(1)
print(txt)
测试打印正确地显示为“ c2900-universalk9-mz.SPA.156-3.M6.bin”。
答案 0 :(得分:1)
>>> import re
>>> txt = "System image file is \"flash:/c2900-universalk9-mz.SPA.156-3.M6.bin"
>>> txt = re.search(r'["]flash:/(.*)["]',txt).group(1)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'NoneType' object has no attribute 'group'
>>> print(txt)
System image file is "flash:/c2900-universalk9-mz.SPA.156-3.M6.bin
>>>
>>>
显然 output
不包含预期的内容。
没有比赛。该对象为NULL。
首先测试比赛:
import re
txt = "System image file is \"flash:/c2900-universalk9-mz.SPA.156-3.M6.bin\""
match = re.search(r'["]flash:/(.*)["]',txt)
if ( match ) :
print(match.group(1))
else :
print("No match")
答案 1 :(得分:0)
方法re.match(..)
返回Match
对象(具有.group(x)
方法等)或None
,以防找不到匹配项。在您的情况下,该错误表示已返回None
;)
好的,这意味着正则表达式模式不适用于测试的数据。我已经调试了这两种情况,并且注意到在第一个脚本中您将模式应用于is "flash:c2900-
,但是在第二个示例中,您正在针对file is \"flash:/c2900
的正则表达式进行测试,其中{{1} }和flash:
,我们有一个额外的c2900
,在第一个示例中不存在。
好吧,所以有2种方法来解决它-如果您想使用同一个正则表达式在不使用/
的情况下进行操作,
/
使用可选的正则表达式匹配(import re
output = 'System image file is "flash:c2900-universalk9-mz.SPA.156-3.M6.bin"'
print(re.search(r'"flash:/?(.*)"', output).group(1))
output = 'System image file is "flash:/c2900-universalk9-mz.SPA.156-3.M6.bin"'
print(re.search(r'"flash:/?(.*)"', output).group(1))
)。
如果您只想使用?
,也可以不使用它们,则可以使用这些示例。
/