[[Python]]쓰면서 각종 팁 정리. SeeAlso BioPythonTip, PythonNewFunction 관련포스트 * [[http://openlook.org/blog/2003/12/03/cb-597/|itemgetter와 attrgetter]] * [[http://simeonfranklin.com/blog/2012/jul/1/python-decorators-in-12-steps/|Understanding Python Decorators in 12 Easy Steps!]] ||<>|| === string formatting === {{{#!python >>> template = "My name is %s and I have %i won" >>> print template My name is %s and I have %i won >>> template % ("yong", 1000) 'My name is yong and I have 1000 won' >>> >>> template = "My name is %(name)s and I have %(money)i won" >>> print template My name is %(name)s and I have %(money)i won >>> template % {'name':'yong','money':1000} 'My name is yong and I have 1000 won' >>> >>> name = 'yong' >>> money = 1000 >>> template % vars() 'My name is yong and I have 1000 won' >>> }}} 항목갯수에 따라 달라지는 string formatting {{{#!python >>> template = "There are %i event%s" >>> >>> events = ['a'] >>> template%(len(events), len(events)>1 and 's' or '') 'There are 1 event' >>> >>> events = ['a','b'] >>> template%(len(events), len(events)>1 and 's' or '') 'There are 2 events' >>> }}} HTML따위 생성시 list comprehension 이용 {{{#!python >>> events = ['a','b','c'] >>> ''.join(['
  • %s
  • '%x for x in events]) '
  • a
  • b
  • c
  • ' >>> }}} === IF문대용으로 쓰는 논리연산 === {{{#!python >>> checkSign = lambda aInt: aInt>0 and 'positive' or aInt==0 and 'zero' or 'negative' >>> >>> checkSign(1) 'positive' >>> checkSign(0) 'zero' >>> checkSign(-1) 'negative' >>> }}} 설마 그런 코드를 진짜로 사용하시려는 것은 아니시죠? 가능하다는 것과 실제로 사용하는 것에는 큰 차이가 있다고 생각하는데, 위의 코드가 바로 그런 경우가 아닐까 합니다. 저라면 위와 같이 코드 작성하는 사람은 절대 고용하지 않을 듯 하군요. 한가지 더 보태자면, 위와 같은 함수보다는 True, False 만을 리턴하는 isPositive나 isNegative가 (경험상) 더 유용하리라고 생각합니다. checkSign(1)이 'positive'를 리턴한다면 positive인지 알려면 또한번 비교해야 하니까요. 짧은 코드지만 작성한 사람에 대해 여러가지 알아낼 수 있다는 것을 보여주는 코드네요. --Anonymous ''논리연산을 if문 처럼 쓸수있다는 것을 보인 예일 뿐입니다. ^^;'' --[[yong27]], 2004-11-17 (->) [[Factorial.py]] 짧은 코멘트지만 작성한 사람에 대해 여러가지 알아낼 수 있다는 것을 보여주는 코멘트네요. --[[windist]] === Multidimensional list === {{{#!python w,h = 2,3 A = [ [None]*w for i in range(h) ] # don't use [[None]*w]*h }}} SeeAlso [[http://bbs.python.or.kr/viewtopic.php?t=21226|리스트 2차원배열]] === 사전의 setdefault === {{{#!python >>> d = {} >>> if 'a' not in d: ... d['a'] = [] ... >>> d['a'].append(1) >>> d {'a': [1]} >>> d.setdefault('b',[]).append(2) >>> d {'a': [1], 'b': [2]} >>> }}} === shelve 쓸때 주의 === {{{#!python >>> d=shelve.open('test.db') >>> d['a']=[] >>> d['a'].append(1) >>> d['a'] # 1 is not appended [] >>> d['b'] = [] >>> temp = d['b'] >>> temp.append(1) >>> d['b'] = temp >>> d['b'] # you have to use temp variable [1] >>> d2=shelve.open('test.db',writeback=True) # It will work as you expected, but it use a lot of memories }}} === 파일생성일 === {{{ get_file_mtime = lambda f: time.strftime('%Y-%m-%d %H:%M:%S', time.localtime(os.stat(f)[8])) }}} === URL 인코딩된 문자열 되돌리기 === IE에서 페이지 저장시 한글이름의 첨부파일이름이 깨져서 저장되는 경우(모인모인 + IE 버그)가 있습니다. {{{ 예: 한글.hwp --> %C7%D1%B1%DB.hwp }}} 이경우, 해당 텍스트를 복사하여 텍스트파일 저장 후 아래 스크립트를 돌리면 원래 한글을 볼 수 있습니다. {{{#!python import sys, re, urllib pattern = re.compile(r'attachment:(.+)\.') for line in sys.stdin: for filename in pattern.findall(line): line = line.replace(filename, urllib.unquote(filename)) sys.stdout.write(line) }}} === 기타 === * http://code.activestate.com/recipes/466302-sorting-big-files-the-python-24-way/