时间:2021-05-22
前言
Python 以其简单易懂的语法格式与其它语言形成鲜明对比,初学者遇到最多的问题就是不按照 Python 的规则来写,即便是有编程经验的程序员,也容易按照固有的思维和语法格式来写 Python 代码,之前小编给大家分享过了一篇《Python新手们容易犯的几个错误总结》,但总结的不够全面,最近看到有一个外国小伙总结了一些大家常犯的错误,16 Common Python Runtime Errors Beginners Find,索性我把他翻译过来并在原来的基础补充了我的一些理解,希望可以让你避开这些坑。
0、忘记写冒号
在 if、elif、else、for、while、class、def 语句后面忘记添加 “:”
if spam == 42 print('Hello!')导致:SyntaxError: invalid syntax
1、误用 “=” 做等值比较
“=” 是赋值操作,而判断两个值是否相等是 “==”
if spam = 42: print('Hello!')导致:SyntaxError: invalid syntax
2、使用错误的缩进
Python用缩进区分代码块,常见的错误用法:
print('Hello!') print('Howdy!')导致:IndentationError: unexpected indent。同一个代码块中的每行代码都必须保持一致的缩进量
if spam == 42: print('Hello!') print('Howdy!')导致:IndentationError: unindent does not match any outer indentation level。代码块结束之后缩进恢复到原来的位置
if spam == 42:print('Hello!')导致:IndentationError: expected an indented block,“:” 后面要使用缩进
3、变量没有定义
if spam == 42: print('Hello!')导致:NameError: name 'spam' is not defined
4、获取列表元素索引位置忘记调用 len 方法
通过索引位置获取元素的时候,忘记使用 len 函数获取列表的长度。
spam = ['cat', 'dog', 'mouse']for i in range(spam): print(spam[i])导致:TypeError: range() integer end argument expected, got list. 正确的做法是:
spam = ['cat', 'dog', 'mouse']for i in range(len(spam)): print(spam[i])当然,更 Pythonic 的写法是用 enumerate
spam = ['cat', 'dog', 'mouse']for i, item in enumerate(spam): print(i, item)5、修改字符串
字符串一个序列对象,支持用索引获取元素,但它和列表对象不同,字符串是不可变对象,不支持修改。
spam = 'I have a pet cat.'spam[13] = 'r'print(spam)导致:TypeError: 'str' object does not support item assignment 正确地做法应该是:
spam = 'I have a pet cat.'spam = spam[:13] + 'r' + spam[14:]print(spam)6、字符串与非字符串连接
num_eggs = 12print('I have ' + num_eggs + ' eggs.')导致:TypeError: cannot concatenate 'str' and 'int' objects
字符串与非字符串连接时,必须把非字符串对象强制转换为字符串类型
num_eggs = 12print('I have ' + str(num_eggs) + ' eggs.')或者使用字符串的格式化形式
num_eggs = 12print('I have %s eggs.' % (num_eggs))7、使用错误的索引位置
spam = ['cat', 'dog', 'mouse']print(spam[3])导致:IndexError: list index out of range
列表对象的索引是从0开始的,第3个元素应该是使用 spam[2] 访问
8、字典中使用不存在的键
spam = {'cat': 'Zophie', 'dog': 'Basil', 'mouse': 'Whiskers'}print('The name of my pet zebra is ' + spam['zebra'])在字典对象中访问 key 可以使用 [],但是如果该 key 不存在,就会导致:KeyError: 'zebra'
正确的方式应该使用 get 方法
spam = {'cat': 'Zophie', 'dog': 'Basil', 'mouse': 'Whiskers'}print('The name of my pet zebra is ' + spam.get('zebra'))key 不存在时,get 默认返回 None
9、用关键字做变量名
class = 'algebra'导致:SyntaxError: invalid syntax
在 Python 中不允许使用关键字作为变量名。Python3 一共有33个关键字。
>>> import keyword>>> print(keyword.kwlist)['False', 'None', 'True', 'and', 'as', 'assert', 'break', 'class', 'continue', 'def', 'del', 'elif', 'else', 'except', 'finally', 'for', 'from', 'global', 'if', 'import', 'in', 'is', 'lambda', 'nonlocal', 'not', 'or', 'pass', 'raise', 'return', 'try', 'while', 'with', 'yield']10、函数中局部变量赋值前被使用
someVar = 42def myFunction(): print(someVar) someVar = 100myFunction()导致:UnboundLocalError: local variable 'someVar' referenced before assignment
当函数中有一个与全局作用域中同名的变量时,它会按照 LEGB 的顺序查找该变量,如果在函数内部的局部作用域中也定义了一个同名的变量,那么就不再到外部作用域查找了。因此,在 myFunction 函数中 someVar 被定义了,所以 print(someVar) 就不再外面查找了,但是 print 的时候该变量还没赋值,所以出现了 UnboundLocalError
11、使用自增 “++” 自减 “--”
spam = 0spam++哈哈,Python 中没有自增自减操作符,如果你是从C、Java转过来的话,你可要注意了。你可以使用 “+=” 来替代 “++”
spam = 0spam += 112、错误地调用类中的方法
class Foo: def method1(): print('m1') def method2(self): print("m2")a = Foo()a.method1()导致:TypeError: method1() takes 0 positional arguments but 1 was given
method1 是 Foo 类的一个成员方法,该方法不接受任何参数,调用 a.method1() 相当于调用 Foo.method1(a),但 method1 不接受任何参数,所以报错了。正确的调用方式应该是 Foo.method1()。
需要注意的是:以上代码都是基于 Python3 的,在 Python2 中即使是同样的代码出现的错误也不尽一样,尤其是最后一个例子。
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者使用python能带来一定的帮助,如果有疑问大家可以留言交流,谢谢大家对的支持。
声明:本页内容来源网络,仅供用户参考;我单位不保证亦不表示资料全面及准确无误,也不保证亦不表示这些资料为最新信息,如因任何原因,本网内容或者用户因倚赖本网内容造成任何损失或损害,我单位将不会负任何法律责任。如涉及版权问题,请提交至online#300.cn邮箱联系删除。
前言这篇文章主要给大家总结了关于学习Python的新手们容易犯的几个错误,一共四个易犯错误,下面来看看详细的介绍吧。一、i+=1不等于++i初学者对Python
开直播这一领域的新手入门门坎很低,网络主播很容易新手入门,只需一部手机、一个手机耳机再加上互联网就可以逐渐本人直播间了。那麼开直播怎么挣钱?初学者主播怎么做才受
  (1)作为新手你有没有抄过标题?  这是非常多的新手很容易犯的错误:我直接找到卖的最好的、人气最高的、排名最靠前的竞
电子商务近些年已变成一种十分时兴的商业运营模式,但是网上开店的新手入门门坎尽管极低,可是不了解标准,又沒有构思,就非常容易踏入弯道,迈入错误观念,乃至是让店面的
经营实质上是协助你的老总把大量的商品销售出来,实际用什么方法和对策则各有不同(这终究了沒有正确答案,只有就是你新手入门后自身多揣摩)。新手入门的方式和知识要点互