A survey of stdlib favorites and what you need to know to grok Python
grok: to understand profoundly and intuitively1
1.  Avg: 3.4 years, Min: 1 week, Max: ~20years2.  generators, list comprehensions, decorators3.  generators, decorators, context managers('{} comprehensions'.format(x) for x in [set, list, dict])¶lines = []
with open('somefile.txt', 'r') as f:
    for line in f:
        lines.append(line.strip().lower())
        
print(lines[:2])
['lorem ipsum dolor sit amet, consectetur adipiscing elit. sed sit amet vestibulum quam, sit amet euismod lorem. morbi ut leo neque. morbi dui risus, ullamcorper non venenatis ac, vehicula in tortor. phasellus luctus sit amet elit nec porttitor. donec ornare volutpat condimentum. vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia curae; vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia curae; suspendisse quis luctus purus. nulla vehicula, neque ac porttitor suscipit, magna purus vehicula justo, quis vulputate mauris nulla quis erat. praesent nisl lectus, tincidunt a rutrum ut, pretium quis quam. integer malesuada suscipit eros et dignissim.', '']
with open('somefile.txt', 'r') as f:
    lines = [line.strip().lower() for line in f if line != '\n']
print(lines[:2])
['lorem ipsum dolor sit amet, consectetur adipiscing elit. sed sit amet vestibulum quam, sit amet euismod lorem. morbi ut leo neque. morbi dui risus, ullamcorper non venenatis ac, vehicula in tortor. phasellus luctus sit amet elit nec porttitor. donec ornare volutpat condimentum. vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia curae; vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia curae; suspendisse quis luctus purus. nulla vehicula, neque ac porttitor suscipit, magna purus vehicula justo, quis vulputate mauris nulla quis erat. praesent nisl lectus, tincidunt a rutrum ut, pretium quis quam. integer malesuada suscipit eros et dignissim.', 'suspendisse ultrices felis leo, sit amet auctor mauris vehicula eget. quisque sem elit, porttitor mollis est eget, porta congue turpis. vestibulum eleifend gravida erat, eu fermentum mi. cras et sapien imperdiet sapien facilisis dapibus. donec eu sapien a arcu luctus vulputate hendrerit ornare turpis. morbi ullamcorper commodo tempor. pellentesque iaculis dolor sed quam tincidunt convallis. quisque faucibus ipsum tincidunt dolor feugiat hendrerit. pellentesque consequat, urna id ornare sagittis, leo justo porta justo, a gravida massa nunc id quam. aenean non erat ac sapien placerat tincidunt. morbi consectetur tellus non orci aliquam, in scelerisque lectus ultrices. maecenas pharetra justo nec ligula sagittis, in aliquet massa tincidunt.']
nums = range(25)
evens_and_odds = {i:'even' if not i % 2 else 'odd' for i in nums}
print(evens_and_odds)
{0: 'even', 1: 'odd', 2: 'even', 3: 'odd', 4: 'even', 5: 'odd', 6: 'even', 7: 'odd', 8: 'even', 9: 'odd', 10: 'even', 11: 'odd', 12: 'even', 13: 'odd', 14: 'even', 15: 'odd', 16: 'even', 17: 'odd', 18: 'even', 19: 'odd', 20: 'even', 21: 'odd', 22: 'even', 23: 'odd', 24: 'even'}
import random
rand_list = [random.randint(1, 10) for _ in range(100)]
rand_set = {random.randint(1, 10) for _ in range(100)}
print(len(rand_list))
deduped = set(rand_list)
print(deduped)
print(len(rand_set))
100
{1, 2, 3, 4, 5, 6, 7, 8, 9, 10}
10
def outer_func(func):
    
    def _wrapper(*args, **kwargs):
        print('I wrapped your function')
        func(*args, **kwargs)
        print('Done with wrapper...\n')
    
    return _wrapper
def inner_func(msg='Inside the wrapped function'):
    print(msg)
    
decorated = outer_func(inner_func)
decorated()
decorated('Same decorator, different message!')
I wrapped your function Inside the wrapped function Done with wrapper... I wrapped your function Same decorator, different message! Done with wrapper...
@outer_func
def inner_func(msg='Inside the wrapped function'):
    print(msg)
    
inner_func()
inner_func('Same decorator, different message!')
I wrapped your function Inside the wrapped function Done with wrapper... I wrapped your function Same decorator, different message! Done with wrapper...
with ContextManagers():¶with keywordwith open('somefile.txt') as f:
    print(type(f))
f.read()
<class '_io.TextIOWrapper'>
--------------------------------------------------------------------------- ValueError Traceback (most recent call last) <ipython-input-76-e93d0843119b> in <module>() 1 with open('somefile.txt') as f: 2 print(type(f)) ----> 3 f.read() ValueError: I/O operation on closed file.
PATH = '/tmp/pyladies'
with open(os.path.join(PATH, 'hello.txt'), 'w') as f:
    f.write('This should fail')
--------------------------------------------------------------------------- FileNotFoundError Traceback (most recent call last) <ipython-input-77-9478ddc9dac7> in <module>() 1 PATH = '/tmp/pyladies' ----> 2 with open(os.path.join(PATH, 'hello.txt'), 'w') as f: 3 f.write('This should fail') FileNotFoundError: [Errno 2] No such file or directory: '/tmp/pyladies/hello.txt'
import shutil
class Pyladies:
    """demonstration class only
      - coded for clarity, not efficiency
    """
    def __enter__(self):
        if os.path.exists(PATH):
            shutil.rmtree(PATH)
        os.mkdir(PATH)
        
    def __exit__(self, type, value, traceback):
        shutil.rmtree(PATH)
assert not os.path.exists(PATH)
with Pyladies():
    with open(os.path.join(PATH, 'hello.txt'), 'w') as f:
        f.write('context managers are cool\n')
    assert os.path.exists(PATH)
assert not os.path.exists(PATH)
from contextlib import contextmanager
@contextmanager
def pyladies():
    try:
        if os.path.exists(PATH):
            shutil.rmtree(PATH)
        os.mkdir(PATH)
        yield
    finally:
        shutil.rmtree(PATH)
        
with pyladies():
    assert os.path.exists(PATH)
assert not os.path.exists(PATH)
iter() on the object)next() on the objectfor x in y syntaxs = 'pyladies atl'
it = iter(s)
for i in range(len(s)):
    print(next(it))
next(it)
p y l a d i e s a t l
--------------------------------------------------------------------------- StopIteration Traceback (most recent call last) <ipython-input-81-e7ed44205d82> in <module>() 4 print(next(it)) 5 ----> 6 next(it) StopIteration:
for c in s:
    print(c)
p y l a d i e s a t l
import re
import reprlib
RE_WORD = re.compile('\w+')
class Sentence:
    def __init__(self, text):
        self.text = text
        self.words = RE_WORD.findall(text)
    def __repr__(self):
        return 'Sentence(%s)' % reprlib.repr(self.text)
    def __iter__(self):
        return SentenceIterator(self.words)
class SentenceIterator:
    def __init__(self, words):
        self.words = words  
        self.index = 0  
    def __next__(self):
        try:
            word = self.words[self.index]   
        except IndexError:
            raise StopIteration()   
        self.index += 1 
        return word 
    def __iter__(self):
        return self
with open('somefile.txt') as f:
    s = Sentence(f.read())
    for i,w in enumerate(s):
        if i >= 9:
            break
        print(w)
Lorem ipsum dolor sit amet consectetur adipiscing elit Sed
import re
import reprlib
RE_WORD = re.compile('\w+')
class Sentence:
    def __init__(self, text):
        self.text = text
    def __repr__(self):
        return 'Sentence(%s)' % reprlib.repr(self.text)
    def __iter__(self):
        return (match.group() for match in RE_WORD.finditer(self.text))
with open('somefile.txt') as f:
    s = Sentence(f.read())
    for i, w in enumerate(s):
        if i >= 9:
            break
        print(w)
Lorem ipsum dolor sit amet consectetur adipiscing elit Sed