我們已經知道函數可以重用代碼,那麼模組可以在其他程式中被重用,模組基本上就是一個包含了所有你定義的函數和變數的檔案。Python的模組的檔案名稱必須以.py為副檔名,匯入模組用import語句。
1. 使用sys模組
import sysprint("The command line arguments are:")for i in sys.argv: print(i)print("\n\nThe PYTHONPATH is", sys.path, "\n")
2.位元組編譯的.pyc檔案
Python為了使輸入模組更加快捷,將.py檔案編譯成位元組檔案.pyc。你只要使用import語句,後面跟檔案名稱,即模組名,程式會自動產生一個同名的.pyc檔案,下次你從別的程式匯入這個模組的時候,.pyc檔案就起作用了,它會快得多,這些位元組編譯的檔案也與平台無關。
3. from...import語句
如果你想要直接輸入argv變數到你的程式中(避免在每次使用它時打sys.),那麼你可以使用from sys import argv語句。如果你想要輸入所有sys模組使用的名字,那麼你可以使用from sys import *語句。這對於所有模組都適用。一般說來,應該避免使用from..import而使用import語句,因為這樣可以使你的程式更加易讀,也可以避免名稱的衝突。
4. 模組的__name__
每個模組都有一個名稱,在模組中可以通過語句來找出模組的名稱。這在一個場合特別有用——就如前面所提到的,當一個模組被第一次輸入的時候,這個模組的主塊將被運行。假如我們只想在程式本身被使用的時候運行主塊,而在它被別的模組輸入的時候不運行主塊,我們該怎麼做呢?這可以通過模組的__name__屬性完成。
if __name__ == "__main__": print("This program is being run by itself")else: print("I am being imported from another module")
5. 自訂模組
# Filename: mymodule.pydef sayHi(): print("Hi, this is mymodule speaking.")version = "0.1"
調用自訂模組
import mymodulemymodule.sayHi()print(mymodule.version)
輸出結果:
Hi, this is mymodule speaking.
0.1
6. dir()函數
你可以使用內建的dir函數來列出模組定義的標識符。標識符有函數、類和變數。
當你為dir()提供一個模組名的時候,它返回模組定義的名稱列表。如果不提供參數,它返回當前模組中定義的名稱列表。
>>> import sys
>>> dir(sys)
['__displayhook__', '__doc__', '__excepthook__', '__name__', '__package__', '__stderr__', '__stdin__', '__stdout__', '_clear_type_cache', '_current_frames', '_getframe', 'api_version', 'argv', 'builtin_module_names', 'byteorder', 'call_tracing', 'callstats', 'copyright', 'displayhook', 'dllhandle', 'dont_write_bytecode', 'exc_info', 'excepthook', 'exec_prefix', 'executable', 'exit', 'flags', 'float_info', 'float_repr_style', 'getcheckinterval', 'getdefaultencoding', 'getfilesystemencoding', 'getprofile', 'getrecursionlimit', 'getrefcount', 'getsizeof', 'gettrace', 'getwindowsversion', 'hexversion', 'int_info', 'intern', 'maxsize', 'maxunicode', 'meta_path', 'modules', 'path', 'path_hooks', 'path_importer_cache', 'platform', 'prefix', 'setcheckinterval', 'setfilesystemencoding', 'setprofile', 'setrecursionlimit', 'settrace', 'stderr', 'stdin', 'stdout', 'subversion', 'version', 'version_info', 'warnoptions', 'winver']
>>>