파 이 썬 튜 토리 얼 학습 (10) - 표준 라 이브 러 리 의 간략 한 투어
7853 단어 library
os 라 이브 러 리
import osos.getcwd() # Return the current working directory 'C:\Python26'os.chdir('/server/accesslogs') # Change current working directoryos.system('mkdir today') # Run the command mkdir in the system shell0
주의해 야 할 것 은 from os import * (os. open () 대신 import os 를 사용 하면 내 장 된 open () 을 덮어 씁 니 다.
shutil 라 이브 러 리
평소에 복사 파일 을 복사 하고 이동 파일 을 이동 할 수 있 습 니 다. 이런 물건 이 있다 는 것 을 알 면 됩 니 다.
import shutilshutil.copyfile('data.db', 'archive.db')shutil.move('/build/executables', 'installdir')
10.2. File Wildcards 어댑터
glob 라 이브 러 리 의 함 수 는 마스크 를 사용 하여 파일 목록 을 가 져 올 수 있 습 니 다.
import globglob.glob('*.py')['primes.py', 'random.py', 'quote.py']
10.3. command Line Arguments 명령 행 인자
때때로 명령 행 에서 스 크 립 트 파일 을 직접 실행 하고 동료 가 파일 에 인 자 를 전달 하면 sys 모듈 의 argv 를 통 해 명령 행 인자 목록 을 얻 고 밤 을 줄 수 있 습 니 다.
import sysprint sys.argv['demo.py', 'one', 'two', 'three']
The getopt module processes sys.argv using the conventions of the Unix getopt() function. More powerful and flexible command line processing is provided by the argparse module.
10.4. Error Output Redirection and Program Termination
The sys module also has attributes for stdin, stdout, and stderr. The latter is useful for emitting warnings and error messages to make them visible even when stdout has been redirected:
sys.stderr.write('Warning, log file not found starting a new one')Warning, log file not found starting a new oneThe most direct way to terminate a script is to use sys.exit().
10.5. 문자열 패턴 일치 정규 일치
re 모듈 은 문자열 에 대한 보다 높 은 작업 을 위해 정규 일치 도 구 를 제공 합 니 다. 복잡 한 일치 와 처리 에 있어 정규 표현 식 은 간결 하고 최적화 된 해결 방안 을 제공 합 니 다.
import rere.findall(r'\bf[a-z]*', 'which foot or hand fell fastest')['foot', 'fell', 'fastest']re.sub(r'(\b[a-z]+) \1', r'\1', 'cat in the the hat')'cat in the hat'
때로는 string 이 가지 고 있 는 방법 을 사용 하 는 것 이 더 좋 을 수 있 습 니 다. 간단 하고 거 칠 기 때문에 읽 기 쉽 고 쓰기 쉬 우 며 디 버 깅 하기 쉽 습 니 다.
'tea for too'.replace('too', 'two')'tea for two'
10.6. Mathematics 산술 표현
math 모듈 은 C 기반 라 이브 러 리 함수 로 부동 소수점 연산 을 제공 합 니 다.
import mathmath.cos(math.pi / 4.0)0.70710678118654757math.log(1024, 2)10.0
random 은 난수 생 성 기 를 제공 합 니 다:
import randomrandom.choice(['apple', 'pear', 'banana'])'apple'random.sample(xrange(100), 10) # sampling without replacement[30, 83, 16, 4, 8, 81, 41, 50, 18, 33]random.random() # random float0.17970987693706186random.randrange(6) # random integer chosen from range(6)4
10.7. Internet Access
urllib 2 와 smtplib 는 웹 에 자주 사용 되 는 라 이브 러 리 입 니 다. 이전 하 나 는 인터넷 에서 정 보 를 얻 는 데 사용 되 었 고, 다음 하 나 는 이메일 을 보 내 는 데 사 용 됩 니 다.
import urllib2for line in urllib2.urlopen(' http://tycho.usno.navy.mil/cgi-bin/timer.pl '):... if 'EST' in line or 'EDT' in line: # look for Eastern Time... print line
Nov. 25, 09:43:32 PM EST
import smtplibserver = smtplib.SMTP('localhost')server.sendmail(
'soothsayer at example dot org'
,
'jcaesar at example dot org'
,... """To:
jcaesar at example dot org
... From:
soothsayer at example dot org
...... Beware the Ides of March.... """)server.quit()(Note that the second example needs a mailserver running on localhost.)
10.8. Dates and Times 날짜 와 시간
datetime 모듈 은 조작 날짜 와 시간 방법 을 제공 합 니 다. 간단 하고 복잡 한. datetime 모듈 은 매우 자주 사용 하 는 모듈 입 니 다. 이 모듈 의 사용 에 대해 숙련 되 어야 합 니 다.
dates are easily constructed and formatted
from datetime import datenow = date.today()nowdatetime.date(2003, 12, 2)now.strftime("%m-%d-%y. %d %b %Y is a %A on the %d day of %B.")'12-02-03. 02 Dec 2003 is a Tuesday on the 02 day of December.'
dates support calendar arithmetic
birthday = date(1964, 7, 31)age = now - birthdayage.days14368
10.9. 데이터 압축 데이터 압축
자주 사용 되 는 데이터 압축 관련 모듈: zlib, gzip, bz2, zipfile and tarfile.
import zlibs = 'witch which has which witches wrist watch'len(s)41t = zlib.compress(s)len(t)37zlib.decompress(t)'witch which has which witches wrist watch'zlib.crc32(s)226805979
10.10. Performance Measurement
가끔 은 같은 문제 에 여러 가지 해법 이 있 습 니 다. 우 리 는 그들의 효율 적 인 차이 가 어디 에 있 는 지 알 고 싶 습 니 다. 그리고 그 다음 이 없습니다. 당신 이 원 하 는 것, Python 안에 다 있 습 니 다. 저 는 정말 번역 이 안 됩 니 다.
For example, it may be tempting to use the tuple packing and unpacking feature instead of the traditional approach to swapping arguments. The timeit module quickly demonstrates a modest performance advantage:
from timeit import TimerTimer('t=a; a=b; b=t', 'a=1; b=2').timeit()0.57535828626024577Timer('a,b = b,a', 'a=1; b=2').timeit()0.54962537085770791In contrast to timeit‘s fine level of granularity, the profile and pstats modules provide tools for identifying time critical sections in larger blocks of code.
10.11. Quality ControlOne approach for developing high quality software is to write tests for each function as it is developed and to run those tests frequently during the development process.
The doctest module provides a tool for scanning a module and validating tests embedded in a program’s docstrings. Test construction is as simple as cutting-and-pasting a typical call along with its results into the docstring. This improves the documentation by providing the user with an example and it allows the doctest module to make sure the code remains true to the documentation:
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)
import doctestdoctest.testmod() # automatically validate the embedded testsThe unittest module is not as effortless as the doctest module, but it allows a more comprehensive set of tests to be maintained in a separate file:
import unittest
class 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)
with self.assertRaises(ZeroDivisionError):
average([])
with self.assertRaises(TypeError):
average(20, 30, 70)
unittest.main() # Calling from the command line invokes all tests10.12. Batteries IncludedPython has a “batteries included” philosophy. This is best seen through the sophisticated and robust capabilities of its larger packages. For example:
The xmlrpclib and SimpleXMLRPCServer modules make implementing remote procedure calls into an almost trivial task. Despite the modules names, no direct knowledge or handling of XML is needed.The email package is a library for managing email messages, including MIME and other RFC 2822-based message documents. Unlike smtplib and poplib which actually send and receive messages, the email package has a complete toolset for building or decoding complex message structures (including attachments) and for implementing internet encoding and header protocols.The xml.dom and xml.sax packages provide robust support for parsing this popular data interchange format. Likewise, the csv module supports direct reads and writes in a common database format. Together, these modules and packages greatly simplify data interchange between Python applications and other tools.Internationalization is supported by a number of modules including gettext, locale, and the codecs package.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
C#은 텍스트와 이미지가 포함된 PowerPoint 독을 생성합니다.PowerPoint 문서(슬라이드)는 일반적인 프레젠테이션의 문서이며, 스피치, 교육, 제품의 프레젠테이션 등의 면에서 널리 응용되고 있다. 이 문은 간단한 PowerPoint 파일을 만드는 방법을 보여줍니다. 다음...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.