请原谅我,如果这是一件非常简单的事情,但我是Python,pysnmp和SNMP的新手。
我正在尝试使用SNMP运行一些非常简单的查询,以便从设备获取配置信息,并且出于某种原因,请遵循文档here。
即使我可以通过snmpwalk浏览SNMP,我也没有得到任何输出,谷歌搜索似乎只是显示我在下面的例子。
我的代码是
#!/usr/bin/python3.5
from pysnmp.hlapi import *
varCommunity = "public"
varServer = "demo.snmplabs.com"
varPort = 161
g = getCmd(SnmpEngine(),
CommunityData(varCommunity),
UdpTransportTarget((varServer, varPort)),
ContextData(),
ObjectType(ObjectIdentity('SNMPv2-MIB', 'sysName', 0)))
next(g)
如果我添加
print(g)
我会得到以下输出
<generator object getCmd at 0x7f25964847d8>
答案 0 :(得分:1)
next(g)
将从生成器返回下一个值。如果您在Python控制台中键入此代码,则会看到实际结果。但是,由于您是从文件中运行它,结果将被丢弃。
您需要将print
放在它周围。 E.g。
print(next(g))
为了便于调试,您可以获得所有结果的列表:
print(list(g))
答案 1 :(得分:0)
这是您原始脚本的一些更改和评论,希望能让您快速了解pysnmp:
from pysnmp.hlapi import *
varCommunity = "public"
varServer = "demo.snmplabs.com"
varPort = 161
g = getCmd(SnmpEngine(),
CommunityData(varCommunity),
UdpTransportTarget((varServer, varPort)),
ContextData(),
ObjectType(ObjectIdentity('SNMPv2-MIB', 'sysName', 0)))
# this is what you get from SNMP agent
error_indication, error_status, error_index, var_binds = next(g)
if not error_indication and not error_status:
# each element in this list matches a sequence of `ObjectType`
# in your request.
# In the code above you requested just a single `ObjectType`,
# thus we are taking just the first element from response
oid, value = var_binds[0]
print(oid, '=', value)
您也可能会发现pysnmp documentation具有洞察力。 ; - )