0

我有一个带有 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?"*)

我应该如何添加更多选项和选择,以便我最终完成一个故事?

4

2 回答 2

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()

希望这可以帮助。如果您愿意,我可以详细说明

于 2013-06-17T16:24:33.283 回答
0

elif使用(else if)添加新条件:

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

好奇,不是吗?在口译员那里自己尝试一些这些东西。

于 2013-06-17T16:50:46.093 回答