如何输出os.popen
一个选项菜单选项列表,用作另一个程序的输入?
注意 - 每次输出变化时,我们都无法定义一个常量选择菜单。它可以超过10个或有时少于10个元素。
SG = "dzdo symaccess -sid {0} show {1} view -detail"
IG = os.popen SG).read()
print SG
如果SG
的输出有如下所示的十个元素,则上面是程序:
tiger
lion
elephant
deer
pigeon
fox
hyena
leopard
cheatah
hippo
我想做的上述元素作为元素的选择:
print("1. tiger")
print("2. lion")
print("3. elephant")
print("4. deer")
.
.
.
print("11. exit")
print ("\n")
choice = input('enter your choice [1-11] :')
choice = int(choice)
if choice ==1:
...
那么我们如何在每个print语句中添加每个元素并使其具有选项选项,我们如何知道元素的数量并选择相同数量的菜单呢?
答案 0 :(得分:2)
显然我无法演示popen
内容,因此我将输入数据硬编码为多行字符串,然后使用.splitlines
方法将其转换为列表。此代码将处理任何大小的数据,不限于10个项目。
它会对用户输入进行一些原始检查,真正的程序应该显示比“错误选择”更有用的信息。
from __future__ import print_function
IG = '''\
tiger
lion
elephant
deer
pigeon
fox
hyena
leopard
cheatah
hippo
'''
data = IG.splitlines()
for num, name in enumerate(data, 1):
print('{0}: {1}'.format(num, name))
exitnum = num + 1
print('{0}: {1}'.format(exitnum, 'exit'))
while True:
choice = raw_input('Enter your choice [1-{0}] : '.format(exitnum))
try:
choice = int(choice)
if not 1 <= choice <= exitnum:
raise ValueError
except ValueError:
print('Bad choice')
continue
if choice == exitnum:
break
elif choice == 1:
print('Tigers are awesome')
else:
print('You chose {0}'.format(data[choice-1]))
print('Goodbye')
演示输出
1: tiger
2: lion
3: elephant
4: deer
5: pigeon
6: fox
7: hyena
8: leopard
9: cheatah
10: hippo
11: exit
Enter your choice [1-11] : 3
You chose elephant
Enter your choice [1-11] : c
Bad choice
Enter your choice [1-11] : 1
Tigers are awesome
Enter your choice [1-11] : 12
Bad choice
Enter your choice [1-11] : 4
You chose deer
Enter your choice [1-11] : 11
Goodbye
在Python 2.6.6上测试过。此代码也可以在Python 3上正常运行,您只需要为Python 3将raw_input
更改为input
。但请不要在Python上使用input
2。