Python 新手常犯的錯誤

劉志軍發表於2017-03-17

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 = 12
print('I have ' + num_eggs + ' eggs.')複製程式碼

導致:TypeError: cannot concatenate 'str' and 'int' objects

字串與非字串連線時,必須把非字串物件強制轉換為字串型別

num_eggs = 12
print('I have ' + str(num_eggs) + ' eggs.')複製程式碼

或者使用字串的格式化形式

num_eggs = 12
print('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 = 42

def myFunction():
    print(someVar)
    someVar = 100

myFunction()複製程式碼

導致:UnboundLocalError: local variable 'someVar' referenced before assignment

當函式中有一個與全域性作用域中同名的變數時,它會按照 LEGB 的順序查詢該變數,如果在函式內部的區域性作用域中也定義了一個同名的變數,那麼就不再到外部作用域查詢了。因此,在 myFunction 函式中 someVar 被定義了,所以 print(someVar) 就不再外面查詢了,但是 print 的時候該變數還沒賦值,所以出現了 UnboundLocalError

11、使用自增 “++” 自減 “--”

spam = 0
spam++複製程式碼

哈哈,Python 中沒有自增自減操作符,如果你是從C、Java轉過來的話,你可要注意了。你可以使用 “+=” 來替代 “++”

spam = 0
spam += 1複製程式碼

12、錯誤地呼叫類中的方法

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 中即使是同樣的程式碼出現的錯誤也不盡一樣,尤其是最後一個例子。

部落格:foofish.net
公眾號:Python之禪 (id:VTtalk),分享 Python 等技術乾貨

Python 新手常犯的錯誤
python之禪

相關文章