-3

我已经修改了引用以修复语法错误。现在我收到的错误是这个:

Traceback (most recent call last):
  File "C:\Users\Alex\Desktop\Programming Concepts\Labs\Chapter 11\Lab 8.py", line 78, in <module>
    main()
  File "C:\Users\Alex\Desktop\Programming Concepts\Labs\Chapter 11\Lab 8.py", line 18, in main
    totalPints = getTotal(pints)
  File "C:\Users\Alex\Desktop\Programming Concepts\Labs\Chapter 11\Lab 8.py", line 42, in getTotal
    totalPints += pints[counter]
  UnboundLocalError: local variable 'totalPints' referenced before assignment

到目前为止,这是我的代码:

# Lab 8-3 Blood Drive

# The main function
def main():
    endProgram = 'no'
    print
    while endProgram == 'no':
        print
        # Declare variables
        pints = [0] * 7

        # Function calls
        pints = getPints(pints)
        totalPints = getTotal(pints)
        averagePints = getAverage(totalPints)
        highPints = getHigh(pints)
        lowPints = getLow(pints)
        displayInfo(averagePints, highPints, lowPints)

        endProgram = input('Do you want to end program? (Enter no or yes): ')
        while not (endProgram == 'yes' or endProgram == 'no'):
            print('Please enter a yes or no')
            endProgram = input('Do you want to end program? (Enter no or yes): ')

# The getPints function
def getPints(pints):
    counter = 0
    while counter < 7:
        numEntered = input('Enter pints collected: ')
        pints[counter] = int(numEntered)
        counter += 1
    return pints

# The getTotal function
def getTotal(pints):
    counter = 0
    while counter < 7:
        totalPints += pints[counter]
        counter += 1
    return totalPints

# The getAverage function
def getAverage(totalPints):
    averagePints = float(totalPints) / 7
    return averagePints

# The getHigh function
def getHigh(pints):
    highPints = pints[0]
    counter = 1
    while counter < 7:
        if pints[counter] > highPints:
            highPints = pints[counter]
        counter += 1
    return highPints

# The getLow function
def getLow():
    lowPints = pints[0]
    counter = 1
    while counter < 7:
        if pints[counter] < lowPints:\
           lowPints = pints[counter]
        counter += 1
    return lowPints

# The displayInfo function
def displayInfo(averagePints, highPints, lowPints):
    print('The average number of pints donated is ',averagePints)
    print('The highest pints donated is ', highPints)
    print('The lowest number of pints donated is ', lowPints)

# Calls main
main()

如果有人可以将此代码复制并粘贴到他们的 python 中并帮助解决它,我将非常感激!

4

3 回答 3

3
于 2012-07-30T03:33:07.567 回答
0

好吧,这很容易解决。您只需要在向变量添加内容之前分配变量。

totalPins = 0

或者

totalPins = ""

在进入循环之前应该做的伎俩。

于 2012-08-01T04:47:58.107 回答
0

“分配前引用的变量”仅表示您正在使用尚不存在的变量。在您的代码中,问题在于这一行:

totalPints += pints[counter]

这是第一次出现的totalPints。请记住,“+=”结构完全等同于

totalPints = totalPints + pints[counter]

这是python反对的正确事件。为了解决这个问题,初始化你的变量

totalPints = 0

在你进入循环之前。

于 2012-07-30T20:31:25.970 回答