如何避免声明全局变量



我是Python新手。我写了这段代码,但听说声明全局变量不是一个好的做法。在这种情况下,编写此函数的正确方法是什么?

index = 0
def level_selection():
    global index
    level = raw_input("Choose the desired level of difficulty: easy, medium or hard")
    if level.lower() == "easy":
        return level1
    if level.lower() == "medium":
        return level2
    if level.lower() == "hard":
        return level3 
    else:
        print "Error"
        index += 1
        if index < 3:
            return level_selection()
        return
level1 = "You selected easy"
level2 = "You selected medium"
level3 = "You selected hard"

另一件事,如果你真的需要全局变量,就是有一个保存你的索引的类成员变量。

class VARS(object):
    index = 0  
VARS.index += 1
print(VARS.index)
>1

如果你是Python的新手,我强烈建议你使用Python版本3。
Python 逐行读取代码,这意味着在分配变量之前不能调用它。
全局变量可以在函数和类中访问,或者通过其他含义,变量在函数和类中继承,无需使用 GLOBAL。
作为一种良好做法:

  • 如果要使用 if 语句,请始终尝试使用 else 语句
  • 将参数传递给函数以获得更多的动态程序,而不是使用静态内容。

因此,在您的情况下,代码将是:

index = 0 #global scope
def level_selection(dx):
    my_local_index = dx #creating a new variale
    level1 = "You selected easy" #local variables
    level2 = "You selected medium" # not accessible outside of this scope
    level3 = "You selected hard" 
    level = raw_input("Choose the desired level of difficulty: easy, medium or hard")
    if level.lower() == "easy":
        return level1
    if level.lower() == "medium":
        return level2
    if level.lower() == "hard":
        return level3 
    else:
        print "Error"
        my_local_index += 1
        if my_local_index < 3:
            return level_selection(my_local_index)
        else:
            exit()
# calling the function and passing a argument to it
level_selection(index) 

您在此程序上的目的是允许用户输入最多 3 个错误值。

您可以将 index 作为参数传递,该参数对用户不正确的条目进行计数,并通过递归调用函数来保留此值

请参阅使用该方法的完整重写。

def level_selection(index):
    level1, level2, level3 = "level1", "level2","level3"
    level = input("Choose the desired level of difficulty: easy, medium or hard")
    if level.lower() == "easy":
        return level1
    if level.lower() == "medium":
        return level2
    if level.lower() == "hard":
        return level3 
    else:
        print("Error")
        index -= 1
        if index > 0:
            return level_selection(index)
    return
print(level_selection(3))

相关内容

  • 没有找到相关文章

最新更新