「學習筆記——Python」Python標準庫簡明教程

來源:互聯網
上載者:User
10 Python標準庫簡明教程Table of Contents
  • 1 作業系統介面
  • 2 檔案萬用字元
  • 3 命令列參數
  • 4 錯誤輸出重新導向和程式終止
  • 5 字串模式比對
  • 6 數學
  • 7 Internet訪問
  • 8 日期和時間
  • 9 資料壓縮
  • 10 效能測量
  • 11 品質控制
1 作業系統介面

os 模組提供了一系列與系統互動的模組:

>>> os.getcwd()  # Return the current working directory'/home/minix/Documents/Note/Programming/python/lib1'>>> os.chdir('~/python') # Change current working directoryTraceback (most recent call last):  File "<stdin>", line 1, in <module>OSError: [Errno 2] No such file or directory: '~/python'>>> os.chdir('/home/minix/python') # Change current working directory>>> os.system('mkdir tos')0>>> os.system('ls')classes        errorAexception       learnPython  pythonInterpretercontrolFlow    informalIntroduction  lib1         tosdataStructure  io                    modules0

注意

  • 注意使用 import os, 而非 from os import *.否則os.open()會覆蓋內建的open()函數
  • 路徑要寫全路徑哦~

shutil 模組提供了便於使用的介面,方便我們日常的檔案管理工作

>>> os.system('touch data.db')0>>> os.system('ls')data.db0>>> import shutil>>> shutil.copy('data.db', 'archive.db')>>> os.system('ls')archive.db  data.db0
2 檔案萬用字元

glob 模組提供了使用萬用字元擷取檔案名稱列表的方式:

>>> os.system ('ls')archive.db  data.db  foo.cpp0>>> import glob>>> glob.glob('*.db')['archive.db', 'data.db']
3 命令列參數

通常使用指令碼時會給它提供參數,通過sys模組的argv屬性可以得到這些參數

#demo.pyimport sysprint sys.argv

這樣,在命令列執行時會得到:

$ python demo.py one two three['demo.py', 'one', 'two', 'three']

geropt 模組使用 Unix的 getopt()函數的方式處理sys.argv. 更多強大靈活的命令列處理方式可以在 argparse 模組中找到。

4 錯誤輸出重新導向和程式終止

sys 模組還提供了三個屬性:stdin,stdout,和stderr.當stdout被重新導向時,stderr可以顯示錯誤和警告.

>>> import sys>>> sys.stderr.write('Warning, long file not found\n')Warning, long file not found

結束一個指令碼最直接的方式是使用 sys.exit()

5 字串模式比對

re 模組為進階字串處理提供了Regex工具.對一些複雜的匹配的操作,Regex通常能提供 最優的解決方案:

>>> re.sub(r'(\b[a-z]+) \l', r'\l', 'cat in the the hat hat')'cat in the the hat hat'

當只需要一些簡單的功能時,string 方法是最好的,因為它們容易閱讀和調試

>>> 'tea for too'.replace('too', 'two')'tea for two'
6 數學

math 模組提供了訪問底層C函數庫中浮點處理函數的功能:

>>> import math>>> math.cos(math.pi / 4.0)0.7071067811865476>>> math.log(1024, 2)10.0

random 模組提供了用於隨機播放的工具

>>> import random>>> random.choice(['apple', 'pear', 'banana'])'banana'>>> random.choice(['apple', 'pear', 'banana'])'apple'>>> random.choice(['apple', 'pear', 'banana'])'apple'>>> random.sample(xrange(100), 10)[37, 22, 82, 76, 51, 58, 33, 92, 56, 48]>>> random.sample(xrange(100), 10)[13, 44, 15, 70, 69, 42, 17, 0, 14, 81]>>> random.random()0.4976690748939975>>> random.random()0.10626734770387691>>> random.randrange(10)6>>> random.randrange(10)9
7 Internet訪問

python中有一系列模組用於訪問internet,處理internet協議.其中最簡單的是urllib2和smtplib,前者用於從URL接收資料, 後者可以發送郵件.

8 日期和時間

datatime 模組提供了處理日期和時間的一系列類,從簡單到複雜.

>>> from datetime import date>>> now = date.today()>>> nowdatetime.date(2013, 3, 7)>>> now.strftime("%m-%d-%y. %d %b %Y is a %A on the %d day of %B.")'03-07-13. 07 Mar 2013 is a Thursday on the 07 day of March.'>>> birthday = date(1964, 7, 31)>>> age = now - birthday>>> age.days17751
9 資料壓縮

常見的資料打包和壓縮格式,在python中都得到直接支援,它們在下列模組中:zlib,gzip,bz2,zipfile和tarfile.

>>> import zlib>>> str = "we repeat repeat and repeat many time">>> len(str)37>>> t = zlib.compress(str)>>> len(t)32>>> zlib.decompress(t)'we repeat repeat and repeat many time'
10 效能測量

有些python使用者需要比較解決同一問題時,不同方法的效能優劣.Python提供了相應的度量工具,可以快速得出結論.

>>> from timeit import Timer>>> Timer('t=a; a=b; b=t', 'a=1; b=2').timeit()0.05308699607849121>>> Timer('a,b = b,a', 'a=1; b=2').timeit()0.042800188064575195

與timeit相比,profile和pstat模組提供了一系列工具,用於識別大段代碼中的關鍵地區的時間.

11 品質控制

開發高品質軟體的一種方式是,在開發的過程為每一個函數編寫測試程式,並多次運行它們. doctest 模組提供了一個工具,用於掃描一個模組,驗證嵌入在程式 docstring 中的測試. 嵌入的測試代碼結構非常簡單,就像把輸出的結果複製粘貼到測試代碼後一樣.

def average(values):    """ Computes the arithmetic mean of a list of numbers.    >>> print average([20,30,70])    40.0    """    return sum(values, 0,0) / len(values+1)import doctestdoctest.testmod()

unittest 模組可不像 doctest 模組那樣看起來不費吹灰之力,但是它可以寫在獨立的檔案中, 用於更加複雜的測試.

import unittestclass TestStatisticalFunctions(unittest.TestCase):    def test_average(self):        self.assertEqual(average([20, 30, 70]), 40.0)        self.assertEqual(round(average([1, 5, 7]), 1), 4.3)        self.assertRaises(ZeroDivisionError, average, [])        self.assertRaises(TypeError, average, 20, 30, 70)unittest.main() # Calling from the command line invokes all tests

原文連結:http://docs.python.org/2/tutorial/stdlib.html
相關文章

聯繫我們

該頁面正文內容均來源於網絡整理,並不代表阿里雲官方的觀點,該頁面所提到的產品和服務也與阿里云無關,如果該頁面內容對您造成了困擾,歡迎寫郵件給我們,收到郵件我們將在5個工作日內處理。

如果您發現本社區中有涉嫌抄襲的內容,歡迎發送郵件至: info-contact@alibabacloud.com 進行舉報並提供相關證據,工作人員會在 5 個工作天內聯絡您,一經查實,本站將立刻刪除涉嫌侵權內容。

A Free Trial That Lets You Build Big!

Start building with 50+ products and up to 12 months usage for Elastic Compute Service

  • Sales Support

    1 on 1 presale consultation

  • After-Sales Support

    24/7 Technical Support 6 Free Tickets per Quarter Faster Response

  • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.