http://bbs.python.or.kr 에서 더욱 많은 정보를 얻을 수 있습니다. === pickle을 이용해서 객체 저장하기 === * http://docs.python.org/lib/pickle-example.html {{{#!python import cPickle # dump pickle.dump(obj,open("obj.p","w")) # load obj = pickle.load(open("obj.p")) }}} === List 정렬하기 === * 오름 차순으로 정렬할 때 : 1->2->3->... {{{#!python a = [['a',4],['b',1],['c',3],['d',2]] a.sort(lambda x, y:cmp(x[1],y[1])) }}} * 내림 차순으로 정렬할 때 : 3->2->1->... {{{#!python a = [['a',4],['b',1],['c',3],['d',2]] a.sort(lambda x, y:cmp(x[1],y[1]),reverse=True) }}} === List === * Filtering 하기 [2, 18, 9, 22, 17, 24, 8, 12, 27] 에서 3으로 나눠서 0이 되는 것만 list로 만들기 {{{#!python foo = [2, 18, 9, 22, 17, 24, 8, 12, 27] print filter(lambda x: x % 3 == 0, foo) }}} [18, 9, 24, 12, 27] * 새 rule을 list에 적용해서 새로운 list 만들기 [2, 18, 9, 22, 17, 24, 8, 12, 27] 에서 각 member * 2 + 10의 값으로 list를 새로 만들기 {{{#!python foo = [2, 18, 9, 22, 17, 24, 8, 12, 27] print map(lambda x: x * 2 + 10, foo) }}} * 모두 더한 값 출력 [2, 18, 9, 22, 17, 24, 8, 12, 27] 를 모두 더한 결과를 출력한다. {{{#!python foo = [2, 18, 9, 22, 17, 24, 8, 12, 27] print reduce(lambda x, y: x + y, foo) }}} * 각 member를 tab으로 붙인 값 출력 {{{#!python print "\t".join(map(str,["hi","jae-seong"])) }}} * y라는 list에서 x에 해당하는 index를 갖는 값을 한꺼번에 갖고오기. {{{#!python x = [1,2] y = [1,2,3,4,5,6] [y[z] for z in x] }}} * list의 member들 끼리 그룹으로 묶기 {{{#!python L1 = [1,2,3,4] L2 = [0,2,12,20] zip(L1, L2) }}} 결과 : [(1, 0), (2, 2), (3, 12), (4, 20)] * list의 member들 끼리 그룹으로 묶은 뒤, b에 해당하는 값이 10 이상인 녀석들만 뽑기 {{{#!python L1 = [1,2,3,4] L2 = [0,2,12,20] [(a, b) for a, b in zip(L1, L2) if b > 10] }}} 결과 : [(3, 12), (4, 20)] === Pipe === * python pipe read {{{ sys.stdin.read() sys.stdin.readline() sys.stdin.readlines() }}} === filter와 lambda 예제 === * 디렉토리의 aln 확장자를 갖는 파일들을 읽어서 '_' 앞의 숫자를 1씩 줄여서 이름을 다시 붙임. {{{#!python for name in filter(lambda x: "aln" in x, os.listdir(".")): pre = name[:name.find('_')] post = name[name.find('_'):] os.rename( name, "%d%s"%(int(pre)-1,post)) }}} * 화일 이름 바꾸기 Script {{{#!python import os for file in os.listdir("."): if file[-3:] == "gif": newfile = file.replace("[1]","") os.rename(file, newfile) }}} === Swissprot sequence 파일 읽기 === * Swissprot sequence 파일을 읽어서 entry를 각각 파일로 저장 {{{#!python import os from Bio.SwissProt import SProt from sys import * fh = open(argv[1]) sp = SProt.Iterator(fh, SProt.RecordParser()) while 1: record = sp.next() if record is None: break file = open("swissprot//"+record.entry_name,"w") file.write( ">" + record.entry_name + "\n") file.write( record.sequence ) file.close() fh.close() }}} === 파일 읽기 === * UnicodeEncodeError: 'ascii' codec can't encode character u'\ucc44' in position 105: ordinal not in range(128) 과 같은 오류시 대처 방안 ==> http://www.amk.ca/python/howto/unicode 파일 쓸 때 {{{#!python import codecs f = codecs.open('test', encoding='utf-8', mode='w+') f.write(u'\u4500 blah blah blah\n') f.close() }}} 파일 읽을 때 {{{#!python import codecs f = codecs.open('unicode.rst', encoding='utf-8') for line in f: print repr(line) }}} * 한줄로 readme.txt를 빼고 나머지 txt확장자를 갖는 파일 리스트 갖고 오기 {{{#!python [ x for x in glob.glob("*.txt") if x != "readme.txt" ] }}} * 디렉토리에서 *.fasta 파일을 갖고 오기 {{{#!python import glob glob.glob( "*.fasta" ) }}} === Python 프로그램 default format === * python 프로그램 default format {{{#!python #!/usr/local/bin/python2.4 import sys from optparse import OptionParser if __name__ == "__main__": parser = OptionParser() parser.add_option( "-i", dest="input" ) ( options, args ) = parser.parse_args() if options.input == None: parser.print_help() sys.exit(-1) }}} === python command output 받기 === {{{#!python def getCommandOutput(command): child = os.popen(command) data = child.read() err = child.close() if err: raise RuntimeError, '%s failed w/ exit code %d' % (command, err) return data }}} === python generator example === {{{#!python hprd_entries = list(x[:x.find("|")] for x in fasta.keys()) }}} === python string 출력 formatting === * 자신도 포함해서 5번째 칸 까지 출력하고 싶다면 {{{#!python print "|%5s|" % "hi" }}} * 자신 부터 5번째 칸까지 출력하고 싶다면 {{{#!python print "|%-5s|" % "hi" }}} === Automation === * http://msdn.microsoft.com/library/kor/default.asp?url=/library/KOR/dv_wrcore/html/wrtskhowtoopenworkbooks.asp {{{#!python import win32com.client o = win32com.client.Dispatch("Excel.Application") o.Workbooks.Open(filepath) o.visible = 1 }}} === Win32Com === * 현재 activation된 window에 text 써 넣기 {{{#!python import win32com.client,win32gui s=win32com.client.Dispatch("WScript.Shell") thisApp=win32gui.GetForegroundWindow() s.AppActivate(thisApp) s.SendKeys("abracadabra") }}} === Win32Clipboard === * 클립보드에서 text 갖고 오기 {{{#!python from win32clipboard import * OpenClipboard() text = GetClipboardData(CF_TEXT) CloseClipboard() }}} * 클립보드에 있는 내용에서 중복 없애기 (line 별로) {{{#!python from win32clipboard import * OpenClipboard() text = GetClipboardData(CF_TEXT) aSet = set() for line in text.split("\n"): aSet.add( line.strip() ) output = "" for line in aSet: output += line output += "\n" SetClipboardText( output ) CloseClipboard() }}}