我有一个带有if语句的python程序。我想在if语句中添加更多选项,我该怎么做?
def start():
print ("A Wise man once said ...")
o1 = input("\n" +
"[L]ook to the poverty of Africa ... [T]HIS HAS YET TO BE WRITTEN")
if o1 == "L" or "l" or "Africa" or "1":
print ("\n" + "You decide only a radical solution is viable...")
else:
print ("THIS IS NOT WRITTEN YET")
def menu ():
print ("Menu\n")
print ("(1)Start")
print ("(2)Exit\n\n")
choice = (input('>>'))
if choice=="1":
start()
if choice=="2":
quit()
menu()
我正在尝试下一个选项:
o2 = input (
"\n" + "[D]ecide to take advantage ..., or T[H]IS HAS YET TO BE WRITTEN?"*)
我应该如何添加更多选项和选项以便最终得到一个故事?
答案 0 :(得分:1)
有几种很好的方法可以做到这一点,但我会创建一个使用字典的类(让我们称之为“option_node”)。该类将保存提示的文本,然后是将文本选项映射到其他option_nodes的字典或结束对话框的特殊选项节点。
class option_node:
def __init__(self, prompt):
self.prompt = prompt
self.options = {}
def add_option(self, option_text, next_node):
self.options[option_text] = next_node
def print_prompt(self):
print(prompt)
def select_input(self):
for each in self.options:
print(each)
while(True)
user_input = input(">>")
if self.options.get(in):
return self.options.get(in)
def main():
nodes = []
nodes.append(option_node("Welcome"))
nodes.append(option_node("Stay Awhile"))
nodes.append(option_node("That's fine, I don't like you much either"))
nodes[0].add_option("Hello friend", nodes[1])
nodes[0].add_option("Hello enemy", nodes[2])
nodes[1].options = None
nodes[2].options = None
current_node = nodes[0]
while current_node.options is not None:
current_node.print_prompt()
current_node = current_node.select_input()
希望这会有所帮助。如果你愿意,我可以详细说明
答案 1 :(得分:0)
使用elif
添加新条件(否则如果):
if ...
elif o1 == "D" or o1 == "H":
# your code here
else ...
顺便说一下,条件语句中存在语法错误。纠正它:
if o1 == "L" or o1 == "l" or o1 == "Africa" or o1 == "1":
如果它更容易,请以这种方式看待它:
if (o1 == "L") or (o1 == "l") or (o1 == "Africa") or (o1 == "1"):
您应该考虑语句中的操作顺序。 or
的优先级高于==
;另外,"L" or "l"
的含义并不是你想象的那样。
>>> if "L" or "l":
... print("foo")
...
foo
好奇,不是吗?在翻译处为自己尝试一些这样的东西。