当我在python中为程序创建函数时,我遇到了一个问题。每次我运行程序时,在输入所需的内容之后我总会得到错误说:" AttributeError:' NoneType'对象没有属性' extend'" 该计划是:
def getDoubleList (generalPrompt, sentinel):
END="not end"
OUT= []
print(generalPrompt)
while END.upper() != sentinel.upper():
IN=input(">")
END=IN.upper()
if IN.upper() != sentinel.upper():
IN=list((IN).split(" "))
OUT=(OUT.extend(IN))
return OUT
#testing part (no editing below this point)
nums = getDoubleList("Enter a list of numbers:", "end")
print("Your numbers (sorted):")
for n in sorted(nums):
print(n)
当我运行它时,我得到以下内容:
Enter a list of numbers:
>2 3
>3
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
[...]
nums = getDoubleList("Enter a list of numbers:", "end")
File "C:/Users/admin/Downloads/getDoubleDriver.py", line 12, in getDoubleList
OUT=(OUT.extend(IN))
AttributeError: 'NoneType' object has no attribute 'extend'
但是我的功能中没有任何非类型。我不知道我试图寻找问题但没有
的功能出了什么问题答案 0 :(得分:1)
.extend
是就地方法,它不会返回任何内容,它会修改您的列表。
参见例如
>>> print [].extend([3])
None
或
>>> x = []
>>> print x
[]
>>> y = x.extend([4])
>>> print y
None
>>> print x
[4]
因此要解决问题,只需更改
即可OUT=(OUT.extend(IN))
到
OUT.extend(IN)
或同等的
OUT = OUT + IN