豬行天下之Python基礎——2.2 識別符號,基礎函式,行與縮排,空語句

coder-pig發表於2019-04-03

內容簡述:

  • 1、識別符號
  • 2、print()列印輸出函式
  • 3、input()輸入函式
  • 4、dir()函式
  • 5、help()函式
  • 6、type()函式 & isinstance()函式
  • 7、行與縮排
  • 8、pass空語句

1、識別符號

識別符號的命名規則如下

  • 只能由 字母數字下劃線 組成,且首字元必須為字母或下劃線
  • 區分大小寫,見名知意。
  • 不能夠與Python中的關鍵字重名。

上面的這個關鍵字指的是,Python程式中預先定義的一些詞,可以通過「keyword」模組的kwlist函式查詢所有關鍵字,程式碼如下:

import keyword
print(keyword.kwlist)
複製程式碼

執行結果如下

['False', 'None', 'True', 'and', 'as', 'assert', 'async', 'await', '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']
複製程式碼

2、print列印輸出函式

在Python中可以通過print函式將資訊列印輸出到螢幕上,是驗證程式碼執行結果最直觀的體現,比如列印一句Hello Python到螢幕上:

print("Hello Python")
複製程式碼

Python中的print函式非常強大,支援把各種型別的資料直接轉成字串的形式輸出,也支援格式化輸出,通過「%百分號」進行間隔,完整規則如下圖所示:

使用程式碼示例如下:

age = 18
print("您的當前年齡:%d" % age)
複製程式碼

Tips小技巧

print 預設換行,如果不想換行可以新增引數end,比如:print(xxx, end="")


3、input輸入函式

input函式可以從控制檯獲取使用者輸入的內容,以回車為結束,程式在讀取時會自動忽略換行符,所有形式的輸入按字串處理。括號裡可以寫一些輸入提示資訊,示例如下:

name= input("請輸入您的名字:")
print("您輸入的名字是 %s" % name)

# 執行結果如下:
# 請輸入您的名字:CoderPig
# 您輸入的名字是 CoderPig
複製程式碼

4、dir函式

dir函式可以「檢視物件中的所有屬性與方法」,比如可以通過下面的程式碼檢視所有的內建函式

import sys
print(dir(sys.modules['builtins']))
複製程式碼

輸出結果如下

['ArithmeticError', 'AssertionError', 'AttributeError', 'BaseException', 'BlockingIOError', 'BrokenPipeError', 'BufferError', 'BytesWarning', 'ChildProcessError', 'ConnectionAbortedError', 'ConnectionError', 'ConnectionRefusedError', 'ConnectionResetError', 'DeprecationWarning', 'EOFError', 'Ellipsis', 'EnvironmentError', 'Exception', 'False', 'FileExistsError', 'FileNotFoundError', 'FloatingPointError', 'FutureWarning', 'GeneratorExit', 'IOError', 'ImportError', 'ImportWarning', 'IndentationError', 'IndexError', 'InterruptedError', 'IsADirectoryError', 'KeyError', 'KeyboardInterrupt', 'LookupError', 'MemoryError', 'ModuleNotFoundError', 'NameError', 'None', 'NotADirectoryError', 'NotImplemented', 'NotImplementedError', 'OSError', 'OverflowError', 'PendingDeprecationWarning', 'PermissionError', 'ProcessLookupError', 'RecursionError', 'ReferenceError', 'ResourceWarning', 'RuntimeError', 'RuntimeWarning', 'StopAsyncIteration', 'StopIteration', 'SyntaxError', 'SyntaxWarning', 'SystemError', 'SystemExit', 'TabError', 'TimeoutError', 'True', 'TypeError', 'UnboundLocalError', 'UnicodeDecodeError', 'UnicodeEncodeError', 'UnicodeError', 'UnicodeTranslateError', 'UnicodeWarning', 'UserWarning', 'ValueError', 'Warning', 'ZeroDivisionError', '__build_class__', '__debug__', '__doc__', '__import__', '__loader__', '__name__', '__package__', '__spec__', 'abs', 'all', 'any', 'ascii', 'bin', 'bool', 'breakpoint', 'bytearray', 'bytes', 'callable', 'chr', 'classmethod', 'compile', 'complex', 'copyright', 'credits', 'delattr', 'dict', 'dir', 'divmod', 'enumerate', 'eval', 'exec', 'exit', 'filter', 'float', 'format', 'frozenset', 'getattr', 'globals', 'hasattr', 'hash', 'help', 'hex', 'id', 'input', 'int', 'isinstance', 'issubclass', 'iter', 'len', 'license', 'list', 'locals', 'map', 'max', 'memoryview', 'min', 'next', 'object', 'oct', 'open', 'ord', 'pow', 'print', 'property', 'quit', 'range', 'repr', 'reversed', 'round', 'set', 'setattr', 'slice', 'sorted', 'staticmethod', 'str', 'sum', 'super', 'tuple', 'type', 'vars', 'zip']
複製程式碼

5、help函式

通過上面的dir函式可以獲取到所有的內建函式了,接著你還可以利用內建的help函式檢視函式或模組用途的詳細說明,比如執行help(print),可以看到下面的說明資訊:

Help on built-in function print in module builtins:

print(...)
    print(value, ..., sep=' 'end='\n'file=sys.stdout, flush=False)

    Prints the values to a stream, or to sys.stdout by default.
    Optional keyword arguments:
    file:  a file-like object (stream); defaults to the current sys.stdout.
    sep:   string inserted between values, default a space.
    end:   string appended after the last valuedefault a newline.
    flush: whether to forcibly flush the stream.
複製程式碼

6、type()函式 & isinstance()函式

  • type(變數名):「獲取變數型別」,結合==判斷變數的型別是否為目標型別。
  • isinstance(變數名,型別):「判斷該變數是否是該型別」,或者是否為該類的父類型別。

程式碼示例如下

class A:
    pass


class B:
    pass


class C(A):
    pass


if __name__ == '__main__':
    a = A()
    b = B()
    c = C()
    d = 60
    print(type(a))
    print(isinstance(a, B))
    print(isinstance(c, A))
    print("60是整形:", type(d) == int)
複製程式碼

程式碼執行結果如下

<class '__main__.A'>
False
True
60是整形: True
複製程式碼

7、行與縮排

Python不像其他程式語言,可以通過大括號{}來對程式碼塊進行劃分,只能通過「縮排」來對語句進行「分組」,所謂的縮排就是每行程式碼前的「空白間隔」。相同的空白間隔表示這些語句處於同一個層次,so,正確的縮排顯得非常重要,建議使用Tab來進行縮排。另外,如果你想「多個語句寫到一行」,可以使用 「;分號」進行間隔。有時語句可能太長你還可以使用「\反斜槓」來銜接,而在[],{},()分行不需要反斜槓銜接!


8、pass空語句

表示不做任何事情,一般用作「佔位語句」,以此保證格式或是語義的完整性。比如定義一個函式,大概作用是做啥的,但是具體邏輯尚不清晰,還沒開始寫業務程式碼,可以使用pass空語句來佔位,示例如下:

def Test():
    pass
複製程式碼

如果本文對你有所幫助,歡迎
留言,點贊,轉發
素質三連,謝謝?~


相關文章