repository_name
stringlengths
5
67
func_path_in_repository
stringlengths
4
234
func_name
stringlengths
0
314
whole_func_string
stringlengths
52
3.87M
language
stringclasses
6 values
func_code_string
stringlengths
52
3.87M
func_documentation_string
stringlengths
1
47.2k
func_code_url
stringlengths
85
339
Calysto/calysto
calysto/ai/Numeric.py
outerproduct
def outerproduct(a, b): """Numeric.outerproduct([0.46474895, 0.46348238, 0.53923529, 0.46428344, 0.50223047], [-0.16049719, 0.17086812, 0.1692107 , 0.17433657, 0.1738235 , 0.17292975, 0.17553493, 0.17222987, -0.17038313, 0.17725782, 0.18428386]) => [[-0.0745909, 0.07941078, 0.07864049, 0.08102274, 0.08078429, 0.08036892, 0.08157967, 0.08004365, -0.07918538, 0.08238038, 0.08564573] [-0.07438762, 0.07919436, 0.07842618, 0.08080193, 0.08056413, 0.08014989, 0.08135735, 0.07982551, -0.07896958, 0.08215587, 0.08541232] [-0.08654575, 0.09213812, 0.09124438, 0.09400843, 0.09373177, 0.09324982, 0.09465463, 0.09287243, -0.09187659, 0.09558367, 0.09937236] [-0.07451619, 0.07933124, 0.07856172, 0.08094158, 0.08070337, 0.08028842, 0.08149796, 0.07996348, -0.07910606, 0.08229787, 0.08555994] [-0.08060658, 0.08581518, 0.08498277, 0.08755714, 0.08729946, 0.08685059, 0.08815899, 0.08649909, -0.0855716, 0.08902428, 0.09255297]])""" result = zeros((len(a), len(b))) for i in range(len(a)): for j in range(len(b)): result[i][j] = a[i] * b[j] return result
python
def outerproduct(a, b): """Numeric.outerproduct([0.46474895, 0.46348238, 0.53923529, 0.46428344, 0.50223047], [-0.16049719, 0.17086812, 0.1692107 , 0.17433657, 0.1738235 , 0.17292975, 0.17553493, 0.17222987, -0.17038313, 0.17725782, 0.18428386]) => [[-0.0745909, 0.07941078, 0.07864049, 0.08102274, 0.08078429, 0.08036892, 0.08157967, 0.08004365, -0.07918538, 0.08238038, 0.08564573] [-0.07438762, 0.07919436, 0.07842618, 0.08080193, 0.08056413, 0.08014989, 0.08135735, 0.07982551, -0.07896958, 0.08215587, 0.08541232] [-0.08654575, 0.09213812, 0.09124438, 0.09400843, 0.09373177, 0.09324982, 0.09465463, 0.09287243, -0.09187659, 0.09558367, 0.09937236] [-0.07451619, 0.07933124, 0.07856172, 0.08094158, 0.08070337, 0.08028842, 0.08149796, 0.07996348, -0.07910606, 0.08229787, 0.08555994] [-0.08060658, 0.08581518, 0.08498277, 0.08755714, 0.08729946, 0.08685059, 0.08815899, 0.08649909, -0.0855716, 0.08902428, 0.09255297]])""" result = zeros((len(a), len(b))) for i in range(len(a)): for j in range(len(b)): result[i][j] = a[i] * b[j] return result
Numeric.outerproduct([0.46474895, 0.46348238, 0.53923529, 0.46428344, 0.50223047], [-0.16049719, 0.17086812, 0.1692107 , 0.17433657, 0.1738235 , 0.17292975, 0.17553493, 0.17222987, -0.17038313, 0.17725782, 0.18428386]) => [[-0.0745909, 0.07941078, 0.07864049, 0.08102274, 0.08078429, 0.08036892, 0.08157967, 0.08004365, -0.07918538, 0.08238038, 0.08564573] [-0.07438762, 0.07919436, 0.07842618, 0.08080193, 0.08056413, 0.08014989, 0.08135735, 0.07982551, -0.07896958, 0.08215587, 0.08541232] [-0.08654575, 0.09213812, 0.09124438, 0.09400843, 0.09373177, 0.09324982, 0.09465463, 0.09287243, -0.09187659, 0.09558367, 0.09937236] [-0.07451619, 0.07933124, 0.07856172, 0.08094158, 0.08070337, 0.08028842, 0.08149796, 0.07996348, -0.07910606, 0.08229787, 0.08555994] [-0.08060658, 0.08581518, 0.08498277, 0.08755714, 0.08729946, 0.08685059, 0.08815899, 0.08649909, -0.0855716, 0.08902428, 0.09255297]])
https://github.com/Calysto/calysto/blob/20813c0f48096317aa775d03a5c6b20f12fafc93/calysto/ai/Numeric.py#L176-L195
Calysto/calysto
calysto/ai/Numeric.py
add.reduce
def reduce(vector): """ Can be a vector or matrix. If data are bool, sum Trues. """ if type(vector) is list: # matrix return array(list(map(add.reduce, vector))) else: return sum(vector)
python
def reduce(vector): """ Can be a vector or matrix. If data are bool, sum Trues. """ if type(vector) is list: # matrix return array(list(map(add.reduce, vector))) else: return sum(vector)
Can be a vector or matrix. If data are bool, sum Trues.
https://github.com/Calysto/calysto/blob/20813c0f48096317aa775d03a5c6b20f12fafc93/calysto/ai/Numeric.py#L156-L163
Calysto/calysto
calysto/ai/Numeric.py
multiply.reduce
def reduce(vector): """ Can be a vector or matrix. If data are bool, sum Trues. """ if type(vector) is list: # matrix return array(list(map(multiply.reduce, vector))) else: return reduce(operator.mul, vector)
python
def reduce(vector): """ Can be a vector or matrix. If data are bool, sum Trues. """ if type(vector) is list: # matrix return array(list(map(multiply.reduce, vector))) else: return reduce(operator.mul, vector)
Can be a vector or matrix. If data are bool, sum Trues.
https://github.com/Calysto/calysto/blob/20813c0f48096317aa775d03a5c6b20f12fafc93/calysto/ai/Numeric.py#L167-L174
marshallward/f90nml
f90nml/fpy.py
pycomplex
def pycomplex(v_str): """Convert string repr of Fortran complex to Python complex.""" assert isinstance(v_str, str) if v_str[0] == '(' and v_str[-1] == ')' and len(v_str.split(',')) == 2: v_re, v_im = v_str[1:-1].split(',', 1) # NOTE: Failed float(str) will raise ValueError return complex(pyfloat(v_re), pyfloat(v_im)) else: raise ValueError('{0} must be in complex number form (x, y).' ''.format(v_str))
python
def pycomplex(v_str): """Convert string repr of Fortran complex to Python complex.""" assert isinstance(v_str, str) if v_str[0] == '(' and v_str[-1] == ')' and len(v_str.split(',')) == 2: v_re, v_im = v_str[1:-1].split(',', 1) # NOTE: Failed float(str) will raise ValueError return complex(pyfloat(v_re), pyfloat(v_im)) else: raise ValueError('{0} must be in complex number form (x, y).' ''.format(v_str))
Convert string repr of Fortran complex to Python complex.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/fpy.py#L20-L31
marshallward/f90nml
f90nml/fpy.py
pybool
def pybool(v_str, strict_logical=True): """Convert string repr of Fortran logical to Python logical.""" assert isinstance(v_str, str) assert isinstance(strict_logical, bool) if strict_logical: v_bool = v_str.lower() else: try: if v_str.startswith('.'): v_bool = v_str[1].lower() else: v_bool = v_str[0].lower() except IndexError: raise ValueError('{0} is not a valid logical constant.' ''.format(v_str)) if v_bool in ('.true.', '.t.', 'true', 't'): return True elif v_bool in ('.false.', '.f.', 'false', 'f'): return False else: raise ValueError('{0} is not a valid logical constant.'.format(v_str))
python
def pybool(v_str, strict_logical=True): """Convert string repr of Fortran logical to Python logical.""" assert isinstance(v_str, str) assert isinstance(strict_logical, bool) if strict_logical: v_bool = v_str.lower() else: try: if v_str.startswith('.'): v_bool = v_str[1].lower() else: v_bool = v_str[0].lower() except IndexError: raise ValueError('{0} is not a valid logical constant.' ''.format(v_str)) if v_bool in ('.true.', '.t.', 'true', 't'): return True elif v_bool in ('.false.', '.f.', 'false', 'f'): return False else: raise ValueError('{0} is not a valid logical constant.'.format(v_str))
Convert string repr of Fortran logical to Python logical.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/fpy.py#L34-L56
marshallward/f90nml
f90nml/fpy.py
pystr
def pystr(v_str): """Convert string repr of Fortran string to Python string.""" assert isinstance(v_str, str) if v_str[0] in ("'", '"') and v_str[0] == v_str[-1]: quote = v_str[0] out = v_str[1:-1] else: # NOTE: This is non-standard Fortran. # For example, gfortran rejects non-delimited strings. quote = None out = v_str # Replace escaped strings if quote: out = out.replace(2 * quote, quote) return out
python
def pystr(v_str): """Convert string repr of Fortran string to Python string.""" assert isinstance(v_str, str) if v_str[0] in ("'", '"') and v_str[0] == v_str[-1]: quote = v_str[0] out = v_str[1:-1] else: # NOTE: This is non-standard Fortran. # For example, gfortran rejects non-delimited strings. quote = None out = v_str # Replace escaped strings if quote: out = out.replace(2 * quote, quote) return out
Convert string repr of Fortran string to Python string.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/fpy.py#L59-L76
marshallward/f90nml
f90nml/parser.py
pad_array
def pad_array(v, idx): """Expand lists in multidimensional arrays to pad unset values.""" i_v, i_s = idx[0] if len(idx) > 1: # Append missing subarrays v.extend([[] for _ in range(len(v), i_v - i_s + 1)]) # Pad elements for e in v: pad_array(e, idx[1:]) else: v.extend([None for _ in range(len(v), i_v - i_s + 1)])
python
def pad_array(v, idx): """Expand lists in multidimensional arrays to pad unset values.""" i_v, i_s = idx[0] if len(idx) > 1: # Append missing subarrays v.extend([[] for _ in range(len(v), i_v - i_s + 1)]) # Pad elements for e in v: pad_array(e, idx[1:]) else: v.extend([None for _ in range(len(v), i_v - i_s + 1)])
Expand lists in multidimensional arrays to pad unset values.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L837-L849
marshallward/f90nml
f90nml/parser.py
merge_values
def merge_values(src, new): """Merge two lists or dicts into a single element.""" if isinstance(src, dict) and isinstance(new, dict): return merge_dicts(src, new) else: if not isinstance(src, list): src = [src] if not isinstance(new, list): new = [new] return merge_lists(src, new)
python
def merge_values(src, new): """Merge two lists or dicts into a single element.""" if isinstance(src, dict) and isinstance(new, dict): return merge_dicts(src, new) else: if not isinstance(src, list): src = [src] if not isinstance(new, list): new = [new] return merge_lists(src, new)
Merge two lists or dicts into a single element.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L852-L862
marshallward/f90nml
f90nml/parser.py
merge_lists
def merge_lists(src, new): """Update a value list with a list of new or updated values.""" l_min, l_max = (src, new) if len(src) < len(new) else (new, src) l_min.extend(None for i in range(len(l_min), len(l_max))) for i, val in enumerate(new): if isinstance(val, dict) and isinstance(src[i], dict): new[i] = merge_dicts(src[i], val) elif isinstance(val, list) and isinstance(src[i], list): new[i] = merge_lists(src[i], val) elif val is not None: new[i] = val else: new[i] = src[i] return new
python
def merge_lists(src, new): """Update a value list with a list of new or updated values.""" l_min, l_max = (src, new) if len(src) < len(new) else (new, src) l_min.extend(None for i in range(len(l_min), len(l_max))) for i, val in enumerate(new): if isinstance(val, dict) and isinstance(src[i], dict): new[i] = merge_dicts(src[i], val) elif isinstance(val, list) and isinstance(src[i], list): new[i] = merge_lists(src[i], val) elif val is not None: new[i] = val else: new[i] = src[i] return new
Update a value list with a list of new or updated values.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L865-L881
marshallward/f90nml
f90nml/parser.py
merge_dicts
def merge_dicts(src, patch): """Merge contents of dict `patch` into `src`.""" for key in patch: if key in src: if isinstance(src[key], dict) and isinstance(patch[key], dict): merge_dicts(src[key], patch[key]) else: src[key] = merge_values(src[key], patch[key]) else: src[key] = patch[key] return src
python
def merge_dicts(src, patch): """Merge contents of dict `patch` into `src`.""" for key in patch: if key in src: if isinstance(src[key], dict) and isinstance(patch[key], dict): merge_dicts(src[key], patch[key]) else: src[key] = merge_values(src[key], patch[key]) else: src[key] = patch[key] return src
Merge contents of dict `patch` into `src`.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L884-L895
marshallward/f90nml
f90nml/parser.py
delist
def delist(values): """Reduce lists of zero or one elements to individual values.""" assert isinstance(values, list) if not values: return None elif len(values) == 1: return values[0] return values
python
def delist(values): """Reduce lists of zero or one elements to individual values.""" assert isinstance(values, list) if not values: return None elif len(values) == 1: return values[0] return values
Reduce lists of zero or one elements to individual values.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L898-L907
marshallward/f90nml
f90nml/parser.py
count_values
def count_values(tokens): """Identify the number of values ahead of the current token.""" ntoks = 0 for tok in tokens: if tok in ('=', '/', '$', '&'): if ntoks > 0 and tok == '=': ntoks -= 1 break elif tok in whitespace + ',': continue else: ntoks += 1 return ntoks
python
def count_values(tokens): """Identify the number of values ahead of the current token.""" ntoks = 0 for tok in tokens: if tok in ('=', '/', '$', '&'): if ntoks > 0 and tok == '=': ntoks -= 1 break elif tok in whitespace + ',': continue else: ntoks += 1 return ntoks
Identify the number of values ahead of the current token.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L910-L923
marshallward/f90nml
f90nml/parser.py
Parser.comment_tokens
def comment_tokens(self, value): """Validate and set the comment token string.""" if not isinstance(value, str): raise TypeError('comment_tokens attribute must be a string.') self._comment_tokens = value
python
def comment_tokens(self, value): """Validate and set the comment token string.""" if not isinstance(value, str): raise TypeError('comment_tokens attribute must be a string.') self._comment_tokens = value
Validate and set the comment token string.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L65-L69
marshallward/f90nml
f90nml/parser.py
Parser.default_start_index
def default_start_index(self, value): """Validate and set the default start index.""" if not isinstance(value, int): raise TypeError('default_start_index attribute must be of int ' 'type.') self._default_start_index = value
python
def default_start_index(self, value): """Validate and set the default start index.""" if not isinstance(value, int): raise TypeError('default_start_index attribute must be of int ' 'type.') self._default_start_index = value
Validate and set the default start index.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L107-L112
marshallward/f90nml
f90nml/parser.py
Parser.sparse_arrays
def sparse_arrays(self, value): """Validate and enable spare arrays.""" if not isinstance(value, bool): raise TypeError('sparse_arrays attribute must be a logical type.') self._sparse_arrays = value
python
def sparse_arrays(self, value): """Validate and enable spare arrays.""" if not isinstance(value, bool): raise TypeError('sparse_arrays attribute must be a logical type.') self._sparse_arrays = value
Validate and enable spare arrays.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L127-L131
marshallward/f90nml
f90nml/parser.py
Parser.global_start_index
def global_start_index(self, value): """Set the global start index.""" if not isinstance(value, int) and value is not None: raise TypeError('global_start_index attribute must be of int ' 'type.') self._global_start_index = value
python
def global_start_index(self, value): """Set the global start index.""" if not isinstance(value, int) and value is not None: raise TypeError('global_start_index attribute must be of int ' 'type.') self._global_start_index = value
Set the global start index.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L170-L175
marshallward/f90nml
f90nml/parser.py
Parser.row_major
def row_major(self, value): """Validate and set row-major format for multidimensional arrays.""" if value is not None: if not isinstance(value, bool): raise TypeError( 'f90nml: error: row_major must be a logical value.') else: self._row_major = value
python
def row_major(self, value): """Validate and set row-major format for multidimensional arrays.""" if value is not None: if not isinstance(value, bool): raise TypeError( 'f90nml: error: row_major must be a logical value.') else: self._row_major = value
Validate and set row-major format for multidimensional arrays.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L192-L199
marshallward/f90nml
f90nml/parser.py
Parser.strict_logical
def strict_logical(self, value): """Validate and set the strict logical flag.""" if value is not None: if not isinstance(value, bool): raise TypeError( 'f90nml: error: strict_logical must be a logical value.') else: self._strict_logical = value
python
def strict_logical(self, value): """Validate and set the strict logical flag.""" if value is not None: if not isinstance(value, bool): raise TypeError( 'f90nml: error: strict_logical must be a logical value.') else: self._strict_logical = value
Validate and set the strict logical flag.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L221-L228
marshallward/f90nml
f90nml/parser.py
Parser.read
def read(self, nml_fname, nml_patch_in=None, patch_fname=None): """Parse a Fortran namelist file and store the contents. >>> parser = f90nml.Parser() >>> data_nml = parser.read('data.nml') """ # For switching based on files versus paths nml_is_path = not hasattr(nml_fname, 'read') patch_is_path = not hasattr(patch_fname, 'read') # Convert patch data to a Namelist object if nml_patch_in is not None: if not isinstance(nml_patch_in, dict): raise TypeError('Input patch must be a dict or a Namelist.') nml_patch = copy.deepcopy(Namelist(nml_patch_in)) if not patch_fname and nml_is_path: patch_fname = nml_fname + '~' elif not patch_fname: raise ValueError('f90nml: error: No output file for patch.') elif nml_fname == patch_fname: raise ValueError('f90nml: error: Patch filepath cannot be the ' 'same as the original filepath.') if patch_is_path: self.pfile = open(patch_fname, 'w') else: self.pfile = patch_fname else: nml_patch = Namelist() try: nml_file = open(nml_fname, 'r') if nml_is_path else nml_fname try: return self._readstream(nml_file, nml_patch) # Close the files we opened on any exceptions within readstream finally: if nml_is_path: nml_file.close() finally: if self.pfile and patch_is_path: self.pfile.close()
python
def read(self, nml_fname, nml_patch_in=None, patch_fname=None): """Parse a Fortran namelist file and store the contents. >>> parser = f90nml.Parser() >>> data_nml = parser.read('data.nml') """ # For switching based on files versus paths nml_is_path = not hasattr(nml_fname, 'read') patch_is_path = not hasattr(patch_fname, 'read') # Convert patch data to a Namelist object if nml_patch_in is not None: if not isinstance(nml_patch_in, dict): raise TypeError('Input patch must be a dict or a Namelist.') nml_patch = copy.deepcopy(Namelist(nml_patch_in)) if not patch_fname and nml_is_path: patch_fname = nml_fname + '~' elif not patch_fname: raise ValueError('f90nml: error: No output file for patch.') elif nml_fname == patch_fname: raise ValueError('f90nml: error: Patch filepath cannot be the ' 'same as the original filepath.') if patch_is_path: self.pfile = open(patch_fname, 'w') else: self.pfile = patch_fname else: nml_patch = Namelist() try: nml_file = open(nml_fname, 'r') if nml_is_path else nml_fname try: return self._readstream(nml_file, nml_patch) # Close the files we opened on any exceptions within readstream finally: if nml_is_path: nml_file.close() finally: if self.pfile and patch_is_path: self.pfile.close()
Parse a Fortran namelist file and store the contents. >>> parser = f90nml.Parser() >>> data_nml = parser.read('data.nml')
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L230-L272
marshallward/f90nml
f90nml/parser.py
Parser._readstream
def _readstream(self, nml_file, nml_patch_in=None): """Parse an input stream containing a Fortran namelist.""" nml_patch = nml_patch_in if nml_patch_in is not None else Namelist() tokenizer = Tokenizer() f90lex = [] for line in nml_file: toks = tokenizer.parse(line) while tokenizer.prior_delim: new_toks = tokenizer.parse(next(nml_file)) # Skip empty lines if not new_toks: continue # The tokenizer always pre-tokenizes the whitespace (leftover # behaviour from Fortran source parsing) so this must be added # manually. if new_toks[0].isspace(): toks[-1] += new_toks.pop(0) # Append the rest of the string (if present) if new_toks: toks[-1] += new_toks[0] # Attach the rest of the tokens toks.extend(new_toks[1:]) toks.append('\n') f90lex.extend(toks) self.tokens = iter(f90lex) nmls = Namelist() # Attempt to get first token; abort on empty file try: self._update_tokens(write_token=False) except StopIteration: return nmls # TODO: Replace "while True" with an update_token() iterator while True: try: # Check for classic group terminator if self.token == 'end': self._update_tokens() # Ignore tokens outside of namelist groups while self.token not in ('&', '$'): self._update_tokens() except StopIteration: break # Create the next namelist self._update_tokens() g_name = self.token g_vars = Namelist() v_name = None # TODO: Edit `Namelist` to support case-insensitive `get` calls grp_patch = nml_patch.get(g_name.lower(), Namelist()) # Populate the namelist group while g_name: if self.token not in ('=', '%', '('): self._update_tokens() # Set the next active variable if self.token in ('=', '(', '%'): v_name, v_values = self._parse_variable( g_vars, patch_nml=grp_patch ) if v_name in g_vars: v_prior_values = g_vars[v_name] v_values = merge_values(v_prior_values, v_values) g_vars[v_name] = v_values # Deselect variable v_name = None v_values = [] # Finalise namelist group if self.token in ('/', '&', '$'): # Append any remaining patched variables for v_name, v_val in grp_patch.items(): g_vars[v_name] = v_val v_strs = nmls._var_strings(v_name, v_val) for v_str in v_strs: self.pfile.write( '{0}{1}\n'.format(nml_patch.indent, v_str) ) # Append the grouplist to the namelist if g_name in nmls: g_update = nmls[g_name] # Update to list of groups if not isinstance(g_update, list): g_update = [g_update] g_update.append(g_vars) else: g_update = g_vars nmls[g_name] = g_update # Reset state g_name, g_vars = None, None try: self._update_tokens() except StopIteration: break return nmls
python
def _readstream(self, nml_file, nml_patch_in=None): """Parse an input stream containing a Fortran namelist.""" nml_patch = nml_patch_in if nml_patch_in is not None else Namelist() tokenizer = Tokenizer() f90lex = [] for line in nml_file: toks = tokenizer.parse(line) while tokenizer.prior_delim: new_toks = tokenizer.parse(next(nml_file)) # Skip empty lines if not new_toks: continue # The tokenizer always pre-tokenizes the whitespace (leftover # behaviour from Fortran source parsing) so this must be added # manually. if new_toks[0].isspace(): toks[-1] += new_toks.pop(0) # Append the rest of the string (if present) if new_toks: toks[-1] += new_toks[0] # Attach the rest of the tokens toks.extend(new_toks[1:]) toks.append('\n') f90lex.extend(toks) self.tokens = iter(f90lex) nmls = Namelist() # Attempt to get first token; abort on empty file try: self._update_tokens(write_token=False) except StopIteration: return nmls # TODO: Replace "while True" with an update_token() iterator while True: try: # Check for classic group terminator if self.token == 'end': self._update_tokens() # Ignore tokens outside of namelist groups while self.token not in ('&', '$'): self._update_tokens() except StopIteration: break # Create the next namelist self._update_tokens() g_name = self.token g_vars = Namelist() v_name = None # TODO: Edit `Namelist` to support case-insensitive `get` calls grp_patch = nml_patch.get(g_name.lower(), Namelist()) # Populate the namelist group while g_name: if self.token not in ('=', '%', '('): self._update_tokens() # Set the next active variable if self.token in ('=', '(', '%'): v_name, v_values = self._parse_variable( g_vars, patch_nml=grp_patch ) if v_name in g_vars: v_prior_values = g_vars[v_name] v_values = merge_values(v_prior_values, v_values) g_vars[v_name] = v_values # Deselect variable v_name = None v_values = [] # Finalise namelist group if self.token in ('/', '&', '$'): # Append any remaining patched variables for v_name, v_val in grp_patch.items(): g_vars[v_name] = v_val v_strs = nmls._var_strings(v_name, v_val) for v_str in v_strs: self.pfile.write( '{0}{1}\n'.format(nml_patch.indent, v_str) ) # Append the grouplist to the namelist if g_name in nmls: g_update = nmls[g_name] # Update to list of groups if not isinstance(g_update, list): g_update = [g_update] g_update.append(g_vars) else: g_update = g_vars nmls[g_name] = g_update # Reset state g_name, g_vars = None, None try: self._update_tokens() except StopIteration: break return nmls
Parse an input stream containing a Fortran namelist.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L282-L406
marshallward/f90nml
f90nml/parser.py
Parser._parse_variable
def _parse_variable(self, parent, patch_nml=None): """Parse a variable and return its name and values.""" if not patch_nml: patch_nml = Namelist() v_name = self.prior_token v_values = [] # Patch state patch_values = None # Derived type parent index (see notes below) dt_idx = None if self.token == '(': v_idx_bounds = self._parse_indices() v_idx = FIndex(v_idx_bounds, self.global_start_index) # Update starting index against namelist record if v_name.lower() in parent.start_index: p_idx = parent.start_index[v_name.lower()] for idx, pv in enumerate(zip(p_idx, v_idx.first)): if all(i is None for i in pv): i_first = None else: i_first = min(i for i in pv if i is not None) v_idx.first[idx] = i_first # Resize vector based on starting index for i_p, i_v in zip(p_idx, v_idx.first): if i_p is not None and i_v is not None and i_v < i_p: pad = [None for _ in range(i_p - i_v)] parent[v_name] = pad + parent[v_name] else: # If variable already existed without an index, then assume a # 1-based index # FIXME: Need to respect undefined `None` starting indexes? if v_name in parent: v_idx.first = [self.default_start_index for _ in v_idx.first] parent.start_index[v_name.lower()] = v_idx.first self._update_tokens() # Derived type parent check # NOTE: This assumes single-dimension derived type vectors # (which I think is the only case supported in Fortran) if self.token == '%': assert v_idx_bounds[0][1] - v_idx_bounds[0][0] == 1 dt_idx = v_idx_bounds[0][0] - v_idx.first[0] # NOTE: This is the sensible play to call `parse_variable` # but not yet sure how to implement it, so we currently pass # along `dt_idx` to the `%` handler. else: v_idx = None # If indexed variable already exists, then re-index this new # non-indexed variable using the global start index if v_name in parent.start_index: p_start = parent.start_index[v_name.lower()] v_start = [self.default_start_index for _ in p_start] # Resize vector based on new starting index for i_p, i_v in zip(p_start, v_start): if i_v < i_p: pad = [None for _ in range(i_p - i_v)] parent[v_name] = pad + parent[v_name] parent.start_index[v_name.lower()] = v_start if self.token == '%': # Resolve the derived type # Check for value in patch v_patch_nml = None if v_name in patch_nml: v_patch_nml = patch_nml.pop(v_name.lower()) if parent: vpar = parent.get(v_name.lower()) if vpar and isinstance(vpar, list): # If new element is not a list, then assume it's the first # element of the list. if dt_idx is None: dt_idx = self.default_start_index try: v_parent = vpar[dt_idx] except IndexError: v_parent = Namelist() elif vpar: v_parent = vpar else: v_parent = Namelist() else: v_parent = Namelist() parent[v_name] = v_parent self._update_tokens() self._update_tokens() v_att, v_att_vals = self._parse_variable( v_parent, patch_nml=v_patch_nml ) next_value = Namelist() next_value[v_att] = v_att_vals self._append_value(v_values, next_value, v_idx) else: # Construct the variable array assert self.token == '=' n_vals = None self._update_tokens() # Check if value is in the namelist patch # TODO: Edit `Namelist` to support case-insensitive `pop` calls # (Currently only a problem in PyPy2) if v_name in patch_nml: patch_values = patch_nml.pop(v_name.lower()) if not isinstance(patch_values, list): patch_values = [patch_values] p_idx = 0 # Add variables until next variable trigger while (self.token not in ('=', '(', '%') or (self.prior_token, self.token) in (('=', '('), (',', '('))): # Check for repeated values if self.token == '*': n_vals = self._parse_value() assert isinstance(n_vals, int) self._update_tokens() elif not n_vals: n_vals = 1 # First check for implicit null values if self.prior_token in ('=', '%', ','): if (self.token in (',', '/', '&', '$') and not (self.prior_token == ',' and self.token in ('/', '&', '$'))): self._append_value(v_values, None, v_idx, n_vals) elif self.prior_token == '*': if self.token not in ('/', '&', '$'): self._update_tokens() if (self.token == '=' or (self.token in ('/', '&', '$') and self.prior_token == '*')): next_value = None else: next_value = self._parse_value() self._append_value(v_values, next_value, v_idx, n_vals) else: next_value = self._parse_value() self._append_value(v_values, next_value, v_idx, n_vals) # Reset default repeat factor for subsequent values n_vals = 1 # Exit for end of nml group (/, &, $) or null broadcast (=) if self.token in ('/', '&', '$', '='): break else: # Get the remaining length of the unpatched vector? # NOTE: it is probably very inefficient to keep re-creating # iterators upon every element; this solution reflects the # absence of mature lookahead in the script. # # This is a temporary fix to address errors caused by # patches of different length from the original value, and # represents a direction to fully rewrite the parser using # `tee`. self.tokens, lookahead = itertools.tee(self.tokens) n_vals_remain = count_values(lookahead) if patch_values: # XXX: The (p_idx - 1) <= n_vals_remain test is dodgy # and does not really make sense to me, but it appears # to work. # TODO: Patch indices that are not set in the namelist if (p_idx < len(patch_values) and (p_idx - 1) <= n_vals_remain and len(patch_values) > 0 and self.token != ','): p_val = patch_values[p_idx] p_repr = patch_nml._f90repr(patch_values[p_idx]) p_idx += 1 self._update_tokens(override=p_repr) if isinstance(p_val, complex): # Skip over the complex content # NOTE: Assumes input and patch are complex self._update_tokens(write_token=False) self._update_tokens(write_token=False) self._update_tokens(write_token=False) self._update_tokens(write_token=False) else: # Skip any values beyond the patch size skip = (p_idx >= len(patch_values)) self._update_tokens(patch_skip=skip) else: self._update_tokens() if patch_values: v_values = patch_values if not v_idx: v_values = delist(v_values) return v_name, v_values
python
def _parse_variable(self, parent, patch_nml=None): """Parse a variable and return its name and values.""" if not patch_nml: patch_nml = Namelist() v_name = self.prior_token v_values = [] # Patch state patch_values = None # Derived type parent index (see notes below) dt_idx = None if self.token == '(': v_idx_bounds = self._parse_indices() v_idx = FIndex(v_idx_bounds, self.global_start_index) # Update starting index against namelist record if v_name.lower() in parent.start_index: p_idx = parent.start_index[v_name.lower()] for idx, pv in enumerate(zip(p_idx, v_idx.first)): if all(i is None for i in pv): i_first = None else: i_first = min(i for i in pv if i is not None) v_idx.first[idx] = i_first # Resize vector based on starting index for i_p, i_v in zip(p_idx, v_idx.first): if i_p is not None and i_v is not None and i_v < i_p: pad = [None for _ in range(i_p - i_v)] parent[v_name] = pad + parent[v_name] else: # If variable already existed without an index, then assume a # 1-based index # FIXME: Need to respect undefined `None` starting indexes? if v_name in parent: v_idx.first = [self.default_start_index for _ in v_idx.first] parent.start_index[v_name.lower()] = v_idx.first self._update_tokens() # Derived type parent check # NOTE: This assumes single-dimension derived type vectors # (which I think is the only case supported in Fortran) if self.token == '%': assert v_idx_bounds[0][1] - v_idx_bounds[0][0] == 1 dt_idx = v_idx_bounds[0][0] - v_idx.first[0] # NOTE: This is the sensible play to call `parse_variable` # but not yet sure how to implement it, so we currently pass # along `dt_idx` to the `%` handler. else: v_idx = None # If indexed variable already exists, then re-index this new # non-indexed variable using the global start index if v_name in parent.start_index: p_start = parent.start_index[v_name.lower()] v_start = [self.default_start_index for _ in p_start] # Resize vector based on new starting index for i_p, i_v in zip(p_start, v_start): if i_v < i_p: pad = [None for _ in range(i_p - i_v)] parent[v_name] = pad + parent[v_name] parent.start_index[v_name.lower()] = v_start if self.token == '%': # Resolve the derived type # Check for value in patch v_patch_nml = None if v_name in patch_nml: v_patch_nml = patch_nml.pop(v_name.lower()) if parent: vpar = parent.get(v_name.lower()) if vpar and isinstance(vpar, list): # If new element is not a list, then assume it's the first # element of the list. if dt_idx is None: dt_idx = self.default_start_index try: v_parent = vpar[dt_idx] except IndexError: v_parent = Namelist() elif vpar: v_parent = vpar else: v_parent = Namelist() else: v_parent = Namelist() parent[v_name] = v_parent self._update_tokens() self._update_tokens() v_att, v_att_vals = self._parse_variable( v_parent, patch_nml=v_patch_nml ) next_value = Namelist() next_value[v_att] = v_att_vals self._append_value(v_values, next_value, v_idx) else: # Construct the variable array assert self.token == '=' n_vals = None self._update_tokens() # Check if value is in the namelist patch # TODO: Edit `Namelist` to support case-insensitive `pop` calls # (Currently only a problem in PyPy2) if v_name in patch_nml: patch_values = patch_nml.pop(v_name.lower()) if not isinstance(patch_values, list): patch_values = [patch_values] p_idx = 0 # Add variables until next variable trigger while (self.token not in ('=', '(', '%') or (self.prior_token, self.token) in (('=', '('), (',', '('))): # Check for repeated values if self.token == '*': n_vals = self._parse_value() assert isinstance(n_vals, int) self._update_tokens() elif not n_vals: n_vals = 1 # First check for implicit null values if self.prior_token in ('=', '%', ','): if (self.token in (',', '/', '&', '$') and not (self.prior_token == ',' and self.token in ('/', '&', '$'))): self._append_value(v_values, None, v_idx, n_vals) elif self.prior_token == '*': if self.token not in ('/', '&', '$'): self._update_tokens() if (self.token == '=' or (self.token in ('/', '&', '$') and self.prior_token == '*')): next_value = None else: next_value = self._parse_value() self._append_value(v_values, next_value, v_idx, n_vals) else: next_value = self._parse_value() self._append_value(v_values, next_value, v_idx, n_vals) # Reset default repeat factor for subsequent values n_vals = 1 # Exit for end of nml group (/, &, $) or null broadcast (=) if self.token in ('/', '&', '$', '='): break else: # Get the remaining length of the unpatched vector? # NOTE: it is probably very inefficient to keep re-creating # iterators upon every element; this solution reflects the # absence of mature lookahead in the script. # # This is a temporary fix to address errors caused by # patches of different length from the original value, and # represents a direction to fully rewrite the parser using # `tee`. self.tokens, lookahead = itertools.tee(self.tokens) n_vals_remain = count_values(lookahead) if patch_values: # XXX: The (p_idx - 1) <= n_vals_remain test is dodgy # and does not really make sense to me, but it appears # to work. # TODO: Patch indices that are not set in the namelist if (p_idx < len(patch_values) and (p_idx - 1) <= n_vals_remain and len(patch_values) > 0 and self.token != ','): p_val = patch_values[p_idx] p_repr = patch_nml._f90repr(patch_values[p_idx]) p_idx += 1 self._update_tokens(override=p_repr) if isinstance(p_val, complex): # Skip over the complex content # NOTE: Assumes input and patch are complex self._update_tokens(write_token=False) self._update_tokens(write_token=False) self._update_tokens(write_token=False) self._update_tokens(write_token=False) else: # Skip any values beyond the patch size skip = (p_idx >= len(patch_values)) self._update_tokens(patch_skip=skip) else: self._update_tokens() if patch_values: v_values = patch_values if not v_idx: v_values = delist(v_values) return v_name, v_values
Parse a variable and return its name and values.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L408-L637
marshallward/f90nml
f90nml/parser.py
Parser._parse_indices
def _parse_indices(self): """Parse a sequence of Fortran vector indices as a list of tuples.""" v_name = self.prior_token v_indices = [] while self.token in (',', '('): v_indices.append(self._parse_index(v_name)) return v_indices
python
def _parse_indices(self): """Parse a sequence of Fortran vector indices as a list of tuples.""" v_name = self.prior_token v_indices = [] while self.token in (',', '('): v_indices.append(self._parse_index(v_name)) return v_indices
Parse a sequence of Fortran vector indices as a list of tuples.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L639-L647
marshallward/f90nml
f90nml/parser.py
Parser._parse_index
def _parse_index(self, v_name): """Parse Fortran vector indices into a tuple of Python indices.""" i_start = i_end = i_stride = None # Start index self._update_tokens() try: i_start = int(self.token) self._update_tokens() except ValueError: if self.token in (',', ')'): raise ValueError('{0} index cannot be empty.'.format(v_name)) elif not self.token == ':': raise # End index if self.token == ':': self._update_tokens() try: i_end = 1 + int(self.token) self._update_tokens() except ValueError: if self.token == ':': raise ValueError('{0} end index cannot be implicit ' 'when using stride.'.format(v_name)) elif self.token not in (',', ')'): raise elif self.token in (',', ')'): # Replace index with single-index range if i_start: i_end = 1 + i_start # Stride index if self.token == ':': self._update_tokens() try: i_stride = int(self.token) except ValueError: if self.token == ')': raise ValueError('{0} stride index cannot be ' 'implicit.'.format(v_name)) else: raise if i_stride == 0: raise ValueError('{0} stride index cannot be zero.' ''.format(v_name)) self._update_tokens() if self.token not in (',', ')'): raise ValueError('{0} index did not terminate ' 'correctly.'.format(v_name)) idx_triplet = (i_start, i_end, i_stride) return idx_triplet
python
def _parse_index(self, v_name): """Parse Fortran vector indices into a tuple of Python indices.""" i_start = i_end = i_stride = None # Start index self._update_tokens() try: i_start = int(self.token) self._update_tokens() except ValueError: if self.token in (',', ')'): raise ValueError('{0} index cannot be empty.'.format(v_name)) elif not self.token == ':': raise # End index if self.token == ':': self._update_tokens() try: i_end = 1 + int(self.token) self._update_tokens() except ValueError: if self.token == ':': raise ValueError('{0} end index cannot be implicit ' 'when using stride.'.format(v_name)) elif self.token not in (',', ')'): raise elif self.token in (',', ')'): # Replace index with single-index range if i_start: i_end = 1 + i_start # Stride index if self.token == ':': self._update_tokens() try: i_stride = int(self.token) except ValueError: if self.token == ')': raise ValueError('{0} stride index cannot be ' 'implicit.'.format(v_name)) else: raise if i_stride == 0: raise ValueError('{0} stride index cannot be zero.' ''.format(v_name)) self._update_tokens() if self.token not in (',', ')'): raise ValueError('{0} index did not terminate ' 'correctly.'.format(v_name)) idx_triplet = (i_start, i_end, i_stride) return idx_triplet
Parse Fortran vector indices into a tuple of Python indices.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L649-L704
marshallward/f90nml
f90nml/parser.py
Parser._parse_value
def _parse_value(self, write_token=True, override=None): """Convert string repr of Fortran type to equivalent Python type.""" v_str = self.prior_token # Construct the complex string if v_str == '(': v_re = self.token self._update_tokens(write_token) assert self.token == ',' self._update_tokens(write_token) v_im = self.token self._update_tokens(write_token) assert self.token == ')' self._update_tokens(write_token, override) v_str = '({0}, {1})'.format(v_re, v_im) recast_funcs = [int, pyfloat, pycomplex, pybool, pystr] for f90type in recast_funcs: try: # Unclever hack.. integrate this better if f90type == pybool: value = pybool(v_str, self.strict_logical) else: value = f90type(v_str) return value except ValueError: continue
python
def _parse_value(self, write_token=True, override=None): """Convert string repr of Fortran type to equivalent Python type.""" v_str = self.prior_token # Construct the complex string if v_str == '(': v_re = self.token self._update_tokens(write_token) assert self.token == ',' self._update_tokens(write_token) v_im = self.token self._update_tokens(write_token) assert self.token == ')' self._update_tokens(write_token, override) v_str = '({0}, {1})'.format(v_re, v_im) recast_funcs = [int, pyfloat, pycomplex, pybool, pystr] for f90type in recast_funcs: try: # Unclever hack.. integrate this better if f90type == pybool: value = pybool(v_str, self.strict_logical) else: value = f90type(v_str) return value except ValueError: continue
Convert string repr of Fortran type to equivalent Python type.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L706-L737
marshallward/f90nml
f90nml/parser.py
Parser._update_tokens
def _update_tokens(self, write_token=True, override=None, patch_skip=False): """Update tokens to the next available values.""" next_token = next(self.tokens) patch_value = '' patch_tokens = '' if self.pfile and write_token: token = override if override else self.token patch_value += token while next_token[0] in self.comment_tokens + whitespace: if self.pfile: if next_token[0] in self.comment_tokens: while not next_token == '\n': patch_tokens += next_token next_token = next(self.tokens) patch_tokens += next_token # Several sections rely on StopIteration to terminate token search # If that occurs, dump the patched tokens immediately try: next_token = next(self.tokens) except StopIteration: if not patch_skip or next_token in ('=', '(', '%'): patch_tokens = patch_value + patch_tokens if self.pfile: self.pfile.write(patch_tokens) raise # Write patched values and whitespace + comments to file if not patch_skip or next_token in ('=', '(', '%'): patch_tokens = patch_value + patch_tokens if self.pfile: self.pfile.write(patch_tokens) # Update tokens, ignoring padding self.token, self.prior_token = next_token, self.token
python
def _update_tokens(self, write_token=True, override=None, patch_skip=False): """Update tokens to the next available values.""" next_token = next(self.tokens) patch_value = '' patch_tokens = '' if self.pfile and write_token: token = override if override else self.token patch_value += token while next_token[0] in self.comment_tokens + whitespace: if self.pfile: if next_token[0] in self.comment_tokens: while not next_token == '\n': patch_tokens += next_token next_token = next(self.tokens) patch_tokens += next_token # Several sections rely on StopIteration to terminate token search # If that occurs, dump the patched tokens immediately try: next_token = next(self.tokens) except StopIteration: if not patch_skip or next_token in ('=', '(', '%'): patch_tokens = patch_value + patch_tokens if self.pfile: self.pfile.write(patch_tokens) raise # Write patched values and whitespace + comments to file if not patch_skip or next_token in ('=', '(', '%'): patch_tokens = patch_value + patch_tokens if self.pfile: self.pfile.write(patch_tokens) # Update tokens, ignoring padding self.token, self.prior_token = next_token, self.token
Update tokens to the next available values.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L739-L779
marshallward/f90nml
f90nml/parser.py
Parser._append_value
def _append_value(self, v_values, next_value, v_idx=None, n_vals=1): """Update a list of parsed values with a new value.""" for _ in range(n_vals): if v_idx: try: v_i = next(v_idx) except StopIteration: # Repeating commas are null-statements and can be ignored # Otherwise, we warn the user that this is a bad namelist if next_value is not None: warnings.warn('f90nml: warning: Value {0} is not assigned to ' 'any variable and has been removed.' ''.format(next_value)) # There are more values than indices, so we stop here break v_s = [self.default_start_index if idx is None else idx for idx in v_idx.first] if not self.row_major: v_i = v_i[::-1] v_s = v_s[::-1] # Multidimensional arrays if not self.sparse_arrays: pad_array(v_values, list(zip(v_i, v_s))) # We iterate inside the v_values and inspect successively # deeper lists within the list tree. If the requested index is # missing, we re-size that particular entry. # (NOTE: This is unnecessary when sparse_arrays is disabled.) v_subval = v_values for (i_v, i_s) in zip(v_i[:-1], v_s[:-1]): try: v_subval = v_subval[i_v - i_s] except IndexError: size = len(v_subval) v_subval.extend([] for _ in range(size, i_v - i_s + 1)) v_subval = v_subval[i_v - i_s] # On the deepest level, we explicitly assign the value i_v, i_s = v_i[-1], v_s[-1] try: v_subval[i_v - i_s] = next_value except IndexError: size = len(v_subval) v_subval.extend(None for _ in range(size, i_v - i_s + 1)) v_subval[i_v - i_s] = next_value else: v_values.append(next_value)
python
def _append_value(self, v_values, next_value, v_idx=None, n_vals=1): """Update a list of parsed values with a new value.""" for _ in range(n_vals): if v_idx: try: v_i = next(v_idx) except StopIteration: # Repeating commas are null-statements and can be ignored # Otherwise, we warn the user that this is a bad namelist if next_value is not None: warnings.warn('f90nml: warning: Value {0} is not assigned to ' 'any variable and has been removed.' ''.format(next_value)) # There are more values than indices, so we stop here break v_s = [self.default_start_index if idx is None else idx for idx in v_idx.first] if not self.row_major: v_i = v_i[::-1] v_s = v_s[::-1] # Multidimensional arrays if not self.sparse_arrays: pad_array(v_values, list(zip(v_i, v_s))) # We iterate inside the v_values and inspect successively # deeper lists within the list tree. If the requested index is # missing, we re-size that particular entry. # (NOTE: This is unnecessary when sparse_arrays is disabled.) v_subval = v_values for (i_v, i_s) in zip(v_i[:-1], v_s[:-1]): try: v_subval = v_subval[i_v - i_s] except IndexError: size = len(v_subval) v_subval.extend([] for _ in range(size, i_v - i_s + 1)) v_subval = v_subval[i_v - i_s] # On the deepest level, we explicitly assign the value i_v, i_s = v_i[-1], v_s[-1] try: v_subval[i_v - i_s] = next_value except IndexError: size = len(v_subval) v_subval.extend(None for _ in range(size, i_v - i_s + 1)) v_subval[i_v - i_s] = next_value else: v_values.append(next_value)
Update a list of parsed values with a new value.
https://github.com/marshallward/f90nml/blob/4932cabc5221afc844ee6a5b4a05ceb8bd4a2711/f90nml/parser.py#L781-L832
Calysto/calysto
calysto/widget/__init__.py
display_pil_image
def display_pil_image(im): """Displayhook function for PIL Images, rendered as PNG.""" from IPython.core import display b = BytesIO() im.save(b, format='png') data = b.getvalue() ip_img = display.Image(data=data, format='png', embed=True) return ip_img._repr_png_()
python
def display_pil_image(im): """Displayhook function for PIL Images, rendered as PNG.""" from IPython.core import display b = BytesIO() im.save(b, format='png') data = b.getvalue() ip_img = display.Image(data=data, format='png', embed=True) return ip_img._repr_png_()
Displayhook function for PIL Images, rendered as PNG.
https://github.com/Calysto/calysto/blob/20813c0f48096317aa775d03a5c6b20f12fafc93/calysto/widget/__init__.py#L9-L17
numberly/appnexus-client
appnexus/client.py
AppNexusClient._prepare_uri
def _prepare_uri(self, service_name, **parameters): """Prepare the URI for a request :param service_name: The target service :type service_name: str :param kwargs: query parameters :return: The uri of the request """ query_parameters = [] for key, value in parameters.items(): if isinstance(value, (list, tuple)): value = ",".join([str(member) for member in value]) if isinstance(value, bool): value = "true" if value else "false" query_parameters.append("{}={}".format(key, value)) if query_parameters: uri = "{}{}?{}".format(self.base_url, service_name, "&".join(query_parameters)) else: uri = "{}{}".format(self.base_url, service_name) return uri
python
def _prepare_uri(self, service_name, **parameters): """Prepare the URI for a request :param service_name: The target service :type service_name: str :param kwargs: query parameters :return: The uri of the request """ query_parameters = [] for key, value in parameters.items(): if isinstance(value, (list, tuple)): value = ",".join([str(member) for member in value]) if isinstance(value, bool): value = "true" if value else "false" query_parameters.append("{}={}".format(key, value)) if query_parameters: uri = "{}{}?{}".format(self.base_url, service_name, "&".join(query_parameters)) else: uri = "{}{}".format(self.base_url, service_name) return uri
Prepare the URI for a request :param service_name: The target service :type service_name: str :param kwargs: query parameters :return: The uri of the request
https://github.com/numberly/appnexus-client/blob/d6a813449ab6fd93bfbceaa937a168fa9a78b890/appnexus/client.py#L39-L60
numberly/appnexus-client
appnexus/client.py
AppNexusClient._handle_rate_exceeded
def _handle_rate_exceeded(self, response): # pragma: no cover """Handles rate exceeded errors""" waiting_time = int(response.headers.get("Retry-After", 10)) time.sleep(waiting_time)
python
def _handle_rate_exceeded(self, response): # pragma: no cover """Handles rate exceeded errors""" waiting_time = int(response.headers.get("Retry-After", 10)) time.sleep(waiting_time)
Handles rate exceeded errors
https://github.com/numberly/appnexus-client/blob/d6a813449ab6fd93bfbceaa937a168fa9a78b890/appnexus/client.py#L64-L67
numberly/appnexus-client
appnexus/client.py
AppNexusClient._send
def _send(self, send_method, service_name, data=None, **kwargs): """Send a request to the AppNexus API (used for internal routing) :param send_method: The method sending the request (usualy requests.*) :type send_method: function :param service_name: The target service :param data: The payload of the request (optionnal) :type data: anything JSON-serializable """ valid_response = False raw = kwargs.pop("raw", False) while not valid_response: headers = dict(Authorization=self.token) uri = self._prepare_uri(service_name, **kwargs) logger.debug(' '.join(map(str, (headers, uri, data)))) response = send_method(uri, headers=headers, json=data) content_type = response.headers["Content-Type"].split(";")[0] if response.content and content_type == "application/json": response_data = response.json() if "response" in response_data: response_data = response_data["response"] elif response.content: return response.content else: return None try: self.check_errors(response, response_data) except RateExceeded: self._handle_rate_exceeded(response) except NoAuth: self.update_token() else: valid_response = True if raw: return response.json() return response_data
python
def _send(self, send_method, service_name, data=None, **kwargs): """Send a request to the AppNexus API (used for internal routing) :param send_method: The method sending the request (usualy requests.*) :type send_method: function :param service_name: The target service :param data: The payload of the request (optionnal) :type data: anything JSON-serializable """ valid_response = False raw = kwargs.pop("raw", False) while not valid_response: headers = dict(Authorization=self.token) uri = self._prepare_uri(service_name, **kwargs) logger.debug(' '.join(map(str, (headers, uri, data)))) response = send_method(uri, headers=headers, json=data) content_type = response.headers["Content-Type"].split(";")[0] if response.content and content_type == "application/json": response_data = response.json() if "response" in response_data: response_data = response_data["response"] elif response.content: return response.content else: return None try: self.check_errors(response, response_data) except RateExceeded: self._handle_rate_exceeded(response) except NoAuth: self.update_token() else: valid_response = True if raw: return response.json() return response_data
Send a request to the AppNexus API (used for internal routing) :param send_method: The method sending the request (usualy requests.*) :type send_method: function :param service_name: The target service :param data: The payload of the request (optionnal) :type data: anything JSON-serializable
https://github.com/numberly/appnexus-client/blob/d6a813449ab6fd93bfbceaa937a168fa9a78b890/appnexus/client.py#L69-L108
numberly/appnexus-client
appnexus/client.py
AppNexusClient.update_token
def update_token(self): """Request a new token and store it for future use""" logger.info('updating token') if None in self.credentials.values(): raise RuntimeError("You must provide an username and a password") credentials = dict(auth=self.credentials) url = self.test_url if self.test else self.url response = requests.post(url + "auth", json=credentials) data = response.json()["response"] if "error_id" in data and data["error_id"] == "NOAUTH": raise BadCredentials() if "error_code" in data and data["error_code"] == "RATE_EXCEEDED": time.sleep(150) return if "error_code" in data or "error_id" in data: raise AppNexusException(response) self.token = data["token"] self.save_token() return self.token
python
def update_token(self): """Request a new token and store it for future use""" logger.info('updating token') if None in self.credentials.values(): raise RuntimeError("You must provide an username and a password") credentials = dict(auth=self.credentials) url = self.test_url if self.test else self.url response = requests.post(url + "auth", json=credentials) data = response.json()["response"] if "error_id" in data and data["error_id"] == "NOAUTH": raise BadCredentials() if "error_code" in data and data["error_code"] == "RATE_EXCEEDED": time.sleep(150) return if "error_code" in data or "error_id" in data: raise AppNexusException(response) self.token = data["token"] self.save_token() return self.token
Request a new token and store it for future use
https://github.com/numberly/appnexus-client/blob/d6a813449ab6fd93bfbceaa937a168fa9a78b890/appnexus/client.py#L110-L129
numberly/appnexus-client
appnexus/client.py
AppNexusClient.check_errors
def check_errors(self, response, data): """Check for errors and raise an appropriate error if needed""" if "error_id" in data: error_id = data["error_id"] if error_id in self.error_ids: raise self.error_ids[error_id](response) if "error_code" in data: error_code = data["error_code"] if error_code in self.error_codes: raise self.error_codes[error_code](response) if "error_code" in data or "error_id" in data: raise AppNexusException(response)
python
def check_errors(self, response, data): """Check for errors and raise an appropriate error if needed""" if "error_id" in data: error_id = data["error_id"] if error_id in self.error_ids: raise self.error_ids[error_id](response) if "error_code" in data: error_code = data["error_code"] if error_code in self.error_codes: raise self.error_codes[error_code](response) if "error_code" in data or "error_id" in data: raise AppNexusException(response)
Check for errors and raise an appropriate error if needed
https://github.com/numberly/appnexus-client/blob/d6a813449ab6fd93bfbceaa937a168fa9a78b890/appnexus/client.py#L131-L142
numberly/appnexus-client
appnexus/client.py
AppNexusClient.get
def get(self, service_name, **kwargs): """Retrieve data from AppNexus API""" return self._send(requests.get, service_name, **kwargs)
python
def get(self, service_name, **kwargs): """Retrieve data from AppNexus API""" return self._send(requests.get, service_name, **kwargs)
Retrieve data from AppNexus API
https://github.com/numberly/appnexus-client/blob/d6a813449ab6fd93bfbceaa937a168fa9a78b890/appnexus/client.py#L144-L146
numberly/appnexus-client
appnexus/client.py
AppNexusClient.modify
def modify(self, service_name, json, **kwargs): """Modify an AppNexus object""" return self._send(requests.put, service_name, json, **kwargs)
python
def modify(self, service_name, json, **kwargs): """Modify an AppNexus object""" return self._send(requests.put, service_name, json, **kwargs)
Modify an AppNexus object
https://github.com/numberly/appnexus-client/blob/d6a813449ab6fd93bfbceaa937a168fa9a78b890/appnexus/client.py#L148-L150
numberly/appnexus-client
appnexus/client.py
AppNexusClient.create
def create(self, service_name, json, **kwargs): """Create a new AppNexus object""" return self._send(requests.post, service_name, json, **kwargs)
python
def create(self, service_name, json, **kwargs): """Create a new AppNexus object""" return self._send(requests.post, service_name, json, **kwargs)
Create a new AppNexus object
https://github.com/numberly/appnexus-client/blob/d6a813449ab6fd93bfbceaa937a168fa9a78b890/appnexus/client.py#L152-L154
numberly/appnexus-client
appnexus/client.py
AppNexusClient.delete
def delete(self, service_name, *ids, **kwargs): """Delete an AppNexus object""" return self._send(requests.delete, service_name, id=ids, **kwargs)
python
def delete(self, service_name, *ids, **kwargs): """Delete an AppNexus object""" return self._send(requests.delete, service_name, id=ids, **kwargs)
Delete an AppNexus object
https://github.com/numberly/appnexus-client/blob/d6a813449ab6fd93bfbceaa937a168fa9a78b890/appnexus/client.py#L156-L158
Calysto/calysto
calysto/zgraphics.py
GraphWin.plot
def plot(self, x, y, color="black"): """ Uses coordinant system. """ p = Point(x, y) p.fill(color) p.draw(self)
python
def plot(self, x, y, color="black"): """ Uses coordinant system. """ p = Point(x, y) p.fill(color) p.draw(self)
Uses coordinant system.
https://github.com/Calysto/calysto/blob/20813c0f48096317aa775d03a5c6b20f12fafc93/calysto/zgraphics.py#L71-L77
Calysto/calysto
calysto/zgraphics.py
GraphWin.plotPixel
def plotPixel(self, x, y, color="black"): """ Doesn't use coordinant system. """ p = Point(x, y) p.fill(color) p.draw(self) p.t = lambda v: v p.tx = lambda v: v p.ty = lambda v: v
python
def plotPixel(self, x, y, color="black"): """ Doesn't use coordinant system. """ p = Point(x, y) p.fill(color) p.draw(self) p.t = lambda v: v p.tx = lambda v: v p.ty = lambda v: v
Doesn't use coordinant system.
https://github.com/Calysto/calysto/blob/20813c0f48096317aa775d03a5c6b20f12fafc93/calysto/zgraphics.py#L79-L88
Calysto/calysto
calysto/zgraphics.py
GraphWin.getMouse
def getMouse(self): """ Waits for a mouse click. """ # FIXME: this isn't working during an executing cell self.mouse_x.value = -1 self.mouse_y.value = -1 while self.mouse_x.value == -1 and self.mouse_y.value == -1: time.sleep(.1) return (self.mouse_x.value, self.mouse_y.value)
python
def getMouse(self): """ Waits for a mouse click. """ # FIXME: this isn't working during an executing cell self.mouse_x.value = -1 self.mouse_y.value = -1 while self.mouse_x.value == -1 and self.mouse_y.value == -1: time.sleep(.1) return (self.mouse_x.value, self.mouse_y.value)
Waits for a mouse click.
https://github.com/Calysto/calysto/blob/20813c0f48096317aa775d03a5c6b20f12fafc93/calysto/zgraphics.py#L90-L99
Robpol86/sphinxcontrib-disqus
sphinxcontrib/disqus.py
event_html_page_context
def event_html_page_context(app, pagename, templatename, context, doctree): """Called when the HTML builder has created a context dictionary to render a template with. Conditionally adding disqus.js to <head /> if the directive is used in a page. :param sphinx.application.Sphinx app: Sphinx application object. :param str pagename: Name of the page being rendered (without .html or any file extension). :param str templatename: Page name with .html. :param dict context: Jinja2 HTML context. :param docutils.nodes.document doctree: Tree of docutils nodes. """ assert app or pagename or templatename # Unused, for linting. if 'script_files' in context and doctree and any(hasattr(n, 'disqus_shortname') for n in doctree.traverse()): # Clone list to prevent leaking into other pages and add disqus.js to this page. context['script_files'] = context['script_files'][:] + ['_static/disqus.js']
python
def event_html_page_context(app, pagename, templatename, context, doctree): """Called when the HTML builder has created a context dictionary to render a template with. Conditionally adding disqus.js to <head /> if the directive is used in a page. :param sphinx.application.Sphinx app: Sphinx application object. :param str pagename: Name of the page being rendered (without .html or any file extension). :param str templatename: Page name with .html. :param dict context: Jinja2 HTML context. :param docutils.nodes.document doctree: Tree of docutils nodes. """ assert app or pagename or templatename # Unused, for linting. if 'script_files' in context and doctree and any(hasattr(n, 'disqus_shortname') for n in doctree.traverse()): # Clone list to prevent leaking into other pages and add disqus.js to this page. context['script_files'] = context['script_files'][:] + ['_static/disqus.js']
Called when the HTML builder has created a context dictionary to render a template with. Conditionally adding disqus.js to <head /> if the directive is used in a page. :param sphinx.application.Sphinx app: Sphinx application object. :param str pagename: Name of the page being rendered (without .html or any file extension). :param str templatename: Page name with .html. :param dict context: Jinja2 HTML context. :param docutils.nodes.document doctree: Tree of docutils nodes.
https://github.com/Robpol86/sphinxcontrib-disqus/blob/1da36bcb83b82b6493a33481c03a0956a557bd5c/sphinxcontrib/disqus.py#L102-L116
Robpol86/sphinxcontrib-disqus
sphinxcontrib/disqus.py
setup
def setup(app): """Called by Sphinx during phase 0 (initialization). :param app: Sphinx application object. :returns: Extension version. :rtype: dict """ app.add_config_value('disqus_shortname', None, True) app.add_directive('disqus', DisqusDirective) app.add_node(DisqusNode, html=(DisqusNode.visit, DisqusNode.depart)) app.config.html_static_path.append(os.path.relpath(STATIC_DIR, app.confdir)) app.connect('html-page-context', event_html_page_context) return dict(version=__version__)
python
def setup(app): """Called by Sphinx during phase 0 (initialization). :param app: Sphinx application object. :returns: Extension version. :rtype: dict """ app.add_config_value('disqus_shortname', None, True) app.add_directive('disqus', DisqusDirective) app.add_node(DisqusNode, html=(DisqusNode.visit, DisqusNode.depart)) app.config.html_static_path.append(os.path.relpath(STATIC_DIR, app.confdir)) app.connect('html-page-context', event_html_page_context) return dict(version=__version__)
Called by Sphinx during phase 0 (initialization). :param app: Sphinx application object. :returns: Extension version. :rtype: dict
https://github.com/Robpol86/sphinxcontrib-disqus/blob/1da36bcb83b82b6493a33481c03a0956a557bd5c/sphinxcontrib/disqus.py#L119-L132
Robpol86/sphinxcontrib-disqus
sphinxcontrib/disqus.py
DisqusNode.visit
def visit(spht, node): """Append opening tags to document body list.""" html_attrs = { 'ids': ['disqus_thread'], 'data-disqus-shortname': node.disqus_shortname, 'data-disqus-identifier': node.disqus_identifier, } spht.body.append(spht.starttag(node, 'div', '', **html_attrs))
python
def visit(spht, node): """Append opening tags to document body list.""" html_attrs = { 'ids': ['disqus_thread'], 'data-disqus-shortname': node.disqus_shortname, 'data-disqus-identifier': node.disqus_identifier, } spht.body.append(spht.starttag(node, 'div', '', **html_attrs))
Append opening tags to document body list.
https://github.com/Robpol86/sphinxcontrib-disqus/blob/1da36bcb83b82b6493a33481c03a0956a557bd5c/sphinxcontrib/disqus.py#L44-L51
Robpol86/sphinxcontrib-disqus
sphinxcontrib/disqus.py
DisqusDirective.get_shortname
def get_shortname(self): """Validate and returns disqus_shortname config value. :returns: disqus_shortname config value. :rtype: str """ disqus_shortname = self.state.document.settings.env.config.disqus_shortname if not disqus_shortname: raise ExtensionError('disqus_shortname config value must be set for the disqus extension to work.') if not RE_SHORTNAME.match(disqus_shortname): raise ExtensionError('disqus_shortname config value must be 3-50 letters, numbers, and hyphens only.') return disqus_shortname
python
def get_shortname(self): """Validate and returns disqus_shortname config value. :returns: disqus_shortname config value. :rtype: str """ disqus_shortname = self.state.document.settings.env.config.disqus_shortname if not disqus_shortname: raise ExtensionError('disqus_shortname config value must be set for the disqus extension to work.') if not RE_SHORTNAME.match(disqus_shortname): raise ExtensionError('disqus_shortname config value must be 3-50 letters, numbers, and hyphens only.') return disqus_shortname
Validate and returns disqus_shortname config value. :returns: disqus_shortname config value. :rtype: str
https://github.com/Robpol86/sphinxcontrib-disqus/blob/1da36bcb83b82b6493a33481c03a0956a557bd5c/sphinxcontrib/disqus.py#L64-L75
Robpol86/sphinxcontrib-disqus
sphinxcontrib/disqus.py
DisqusDirective.get_identifier
def get_identifier(self): """Validate and returns disqus_identifier option value. :returns: disqus_identifier config value. :rtype: str """ if 'disqus_identifier' in self.options: return self.options['disqus_identifier'] title_nodes = self.state.document.traverse(nodes.title) if not title_nodes: raise DisqusError('No title nodes found in document, cannot derive disqus_identifier config value.') return title_nodes[0].astext()
python
def get_identifier(self): """Validate and returns disqus_identifier option value. :returns: disqus_identifier config value. :rtype: str """ if 'disqus_identifier' in self.options: return self.options['disqus_identifier'] title_nodes = self.state.document.traverse(nodes.title) if not title_nodes: raise DisqusError('No title nodes found in document, cannot derive disqus_identifier config value.') return title_nodes[0].astext()
Validate and returns disqus_identifier option value. :returns: disqus_identifier config value. :rtype: str
https://github.com/Robpol86/sphinxcontrib-disqus/blob/1da36bcb83b82b6493a33481c03a0956a557bd5c/sphinxcontrib/disqus.py#L77-L89
Robpol86/sphinxcontrib-disqus
sphinxcontrib/disqus.py
DisqusDirective.run
def run(self): """Executed by Sphinx. :returns: Single DisqusNode instance with config values passed as arguments. :rtype: list """ disqus_shortname = self.get_shortname() disqus_identifier = self.get_identifier() return [DisqusNode(disqus_shortname, disqus_identifier)]
python
def run(self): """Executed by Sphinx. :returns: Single DisqusNode instance with config values passed as arguments. :rtype: list """ disqus_shortname = self.get_shortname() disqus_identifier = self.get_identifier() return [DisqusNode(disqus_shortname, disqus_identifier)]
Executed by Sphinx. :returns: Single DisqusNode instance with config values passed as arguments. :rtype: list
https://github.com/Robpol86/sphinxcontrib-disqus/blob/1da36bcb83b82b6493a33481c03a0956a557bd5c/sphinxcontrib/disqus.py#L91-L99
yougov/pmxbot
pmxbot/core.py
attach
def attach(func, params): """ Given a function and a namespace of possible parameters, bind any params matching the signature of the function to that function. """ sig = inspect.signature(func) params = Projection(sig.parameters.keys(), params) return functools.partial(func, **params)
python
def attach(func, params): """ Given a function and a namespace of possible parameters, bind any params matching the signature of the function to that function. """ sig = inspect.signature(func) params = Projection(sig.parameters.keys(), params) return functools.partial(func, **params)
Given a function and a namespace of possible parameters, bind any params matching the signature of the function to that function.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L212-L220
yougov/pmxbot
pmxbot/core.py
init_config
def init_config(overrides): """ Install the config dict as pmxbot.config, setting overrides, and return the result. """ pmxbot.config = config = ConfigDict() config.setdefault('bot_nickname', 'pmxbot') config.update(overrides) return config
python
def init_config(overrides): """ Install the config dict as pmxbot.config, setting overrides, and return the result. """ pmxbot.config = config = ConfigDict() config.setdefault('bot_nickname', 'pmxbot') config.update(overrides) return config
Install the config dict as pmxbot.config, setting overrides, and return the result.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L583-L591
yougov/pmxbot
pmxbot/core.py
initialize
def initialize(config): "Initialize the bot with a dictionary of config items" config = init_config(config) _setup_logging() _load_library_extensions() if not Handler._registry: raise RuntimeError("No handlers registered") class_ = _load_bot_class() config.setdefault('log_channels', []) config.setdefault('other_channels', []) channels = config.log_channels + config.other_channels log.info('Running with config') log.info(pprint.pformat(config)) host = config.get('server_host', 'localhost') port = config.get('server_port', 6667) return class_( host, port, config.bot_nickname, channels=channels, password=config.get('password'), )
python
def initialize(config): "Initialize the bot with a dictionary of config items" config = init_config(config) _setup_logging() _load_library_extensions() if not Handler._registry: raise RuntimeError("No handlers registered") class_ = _load_bot_class() config.setdefault('log_channels', []) config.setdefault('other_channels', []) channels = config.log_channels + config.other_channels log.info('Running with config') log.info(pprint.pformat(config)) host = config.get('server_host', 'localhost') port = config.get('server_port', 6667) return class_( host, port, config.bot_nickname, channels=channels, password=config.get('password'), )
Initialize the bot with a dictionary of config items
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L594-L622
yougov/pmxbot
pmxbot/core.py
_load_filters
def _load_filters(): """ Locate all entry points by the name 'pmxbot_filters', each of which should refer to a callable(channel, msg) that must return True for the message not to be excluded. """ group = 'pmxbot_filters' eps = entrypoints.get_group_all(group=group) return [ep.load() for ep in eps]
python
def _load_filters(): """ Locate all entry points by the name 'pmxbot_filters', each of which should refer to a callable(channel, msg) that must return True for the message not to be excluded. """ group = 'pmxbot_filters' eps = entrypoints.get_group_all(group=group) return [ep.load() for ep in eps]
Locate all entry points by the name 'pmxbot_filters', each of which should refer to a callable(channel, msg) that must return True for the message not to be excluded.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L654-L662
yougov/pmxbot
pmxbot/core.py
Sentinel.augment_items
def augment_items(cls, items, **defaults): """ Iterate over the items, keeping a adding properties as supplied by Sentinel objects encountered. >>> from more_itertools.recipes import consume >>> res = Sentinel.augment_items(['a', 'b', NoLog, 'c'], secret=False) >>> res = tuple(res) >>> consume(map(print, res)) a b c >>> [msg.secret for msg in res] [False, False, True] >>> msgs = ['a', NoLog, 'b', SwitchChannel('#foo'), 'c'] >>> res = Sentinel.augment_items(msgs, secret=False, channel=None) >>> res = tuple(res) >>> consume(map(print, res)) a b c >>> [msg.channel for msg in res] == [None, None, '#foo'] True >>> [msg.secret for msg in res] [False, True, True] >>> res = Sentinel.augment_items(msgs, channel='#default', secret=False) >>> consume(map(print, [msg.channel for msg in res])) #default #default #foo """ properties = defaults for item in items: # allow the Sentinel to be just the class itself, which is to be # constructed with no parameters. if isinstance(item, type) and issubclass(item, Sentinel): item = item() if isinstance(item, Sentinel): properties.update(item.properties) continue yield AugmentableMessage(item, **properties)
python
def augment_items(cls, items, **defaults): """ Iterate over the items, keeping a adding properties as supplied by Sentinel objects encountered. >>> from more_itertools.recipes import consume >>> res = Sentinel.augment_items(['a', 'b', NoLog, 'c'], secret=False) >>> res = tuple(res) >>> consume(map(print, res)) a b c >>> [msg.secret for msg in res] [False, False, True] >>> msgs = ['a', NoLog, 'b', SwitchChannel('#foo'), 'c'] >>> res = Sentinel.augment_items(msgs, secret=False, channel=None) >>> res = tuple(res) >>> consume(map(print, res)) a b c >>> [msg.channel for msg in res] == [None, None, '#foo'] True >>> [msg.secret for msg in res] [False, True, True] >>> res = Sentinel.augment_items(msgs, channel='#default', secret=False) >>> consume(map(print, [msg.channel for msg in res])) #default #default #foo """ properties = defaults for item in items: # allow the Sentinel to be just the class itself, which is to be # constructed with no parameters. if isinstance(item, type) and issubclass(item, Sentinel): item = item() if isinstance(item, Sentinel): properties.update(item.properties) continue yield AugmentableMessage(item, **properties)
Iterate over the items, keeping a adding properties as supplied by Sentinel objects encountered. >>> from more_itertools.recipes import consume >>> res = Sentinel.augment_items(['a', 'b', NoLog, 'c'], secret=False) >>> res = tuple(res) >>> consume(map(print, res)) a b c >>> [msg.secret for msg in res] [False, False, True] >>> msgs = ['a', NoLog, 'b', SwitchChannel('#foo'), 'c'] >>> res = Sentinel.augment_items(msgs, secret=False, channel=None) >>> res = tuple(res) >>> consume(map(print, res)) a b c >>> [msg.channel for msg in res] == [None, None, '#foo'] True >>> [msg.secret for msg in res] [False, True, True] >>> res = Sentinel.augment_items(msgs, channel='#default', secret=False) >>> consume(map(print, [msg.channel for msg in res])) #default #default #foo
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L54-L96
yougov/pmxbot
pmxbot/core.py
Handler.find_matching
def find_matching(cls, message, channel): """ Yield ``cls`` subclasses that match message and channel """ return ( handler for handler in cls._registry if isinstance(handler, cls) and handler.match(message, channel) )
python
def find_matching(cls, message, channel): """ Yield ``cls`` subclasses that match message and channel """ return ( handler for handler in cls._registry if isinstance(handler, cls) and handler.match(message, channel) )
Yield ``cls`` subclasses that match message and channel
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L145-L154
yougov/pmxbot
pmxbot/core.py
Handler.decorate
def decorate(self, func): """ Decorate a handler function. The handler should accept keyword parameters for values supplied by the bot, a subset of: - client - connection (alias for client) - event - channel - nick - rest """ self.func = func self._set_implied_name() self.register() return func
python
def decorate(self, func): """ Decorate a handler function. The handler should accept keyword parameters for values supplied by the bot, a subset of: - client - connection (alias for client) - event - channel - nick - rest """ self.func = func self._set_implied_name() self.register() return func
Decorate a handler function. The handler should accept keyword parameters for values supplied by the bot, a subset of: - client - connection (alias for client) - event - channel - nick - rest
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L165-L179
yougov/pmxbot
pmxbot/core.py
Handler._set_implied_name
def _set_implied_name(self): "Allow the name of this handler to default to the function name." if getattr(self, 'name', None) is None: self.name = self.func.__name__ self.name = self.name.lower()
python
def _set_implied_name(self): "Allow the name of this handler to default to the function name." if getattr(self, 'name', None) is None: self.name = self.func.__name__ self.name = self.name.lower()
Allow the name of this handler to default to the function name.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L181-L185
yougov/pmxbot
pmxbot/core.py
CommandHandler._set_doc
def _set_doc(self, func): """ If no doc was explicitly set, use the function's docstring, trimming whitespace and replacing newlines with spaces. """ if not self.doc and func.__doc__: self.doc = func.__doc__.strip().replace('\n', ' ')
python
def _set_doc(self, func): """ If no doc was explicitly set, use the function's docstring, trimming whitespace and replacing newlines with spaces. """ if not self.doc and func.__doc__: self.doc = func.__doc__.strip().replace('\n', ' ')
If no doc was explicitly set, use the function's docstring, trimming whitespace and replacing newlines with spaces.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L259-L265
yougov/pmxbot
pmxbot/core.py
Bot.allow
def allow(self, channel, message): """ Allow plugins to filter content. """ return all( filter(channel, message) for filter in _load_filters() )
python
def allow(self, channel, message): """ Allow plugins to filter content. """ return all( filter(channel, message) for filter in _load_filters() )
Allow plugins to filter content.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L468-L475
yougov/pmxbot
pmxbot/core.py
Bot._handle_output
def _handle_output(self, channel, output): """ Given an initial channel and a sequence of messages or sentinels, output the messages. """ augmented = Sentinel.augment_items(output, channel=channel, secret=False) for message in augmented: self.out(message.channel, message, not message.secret)
python
def _handle_output(self, channel, output): """ Given an initial channel and a sequence of messages or sentinels, output the messages. """ augmented = Sentinel.augment_items(output, channel=channel, secret=False) for message in augmented: self.out(message.channel, message, not message.secret)
Given an initial channel and a sequence of messages or sentinels, output the messages.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L492-L499
yougov/pmxbot
pmxbot/core.py
Bot.handle_action
def handle_action(self, channel, nick, msg): "Core message parser and dispatcher" messages = () for handler in Handler.find_matching(msg, channel): exception_handler = functools.partial( self._handle_exception, handler=handler, ) rest = handler.process(msg) client = connection = event = None # for regexp handlers match = rest f = handler.attach(locals()) results = pmxbot.itertools.generate_results(f) clean_results = pmxbot.itertools.trap_exceptions(results, exception_handler) messages = itertools.chain(messages, clean_results) if not handler.allow_chain: break self._handle_output(channel, messages)
python
def handle_action(self, channel, nick, msg): "Core message parser and dispatcher" messages = () for handler in Handler.find_matching(msg, channel): exception_handler = functools.partial( self._handle_exception, handler=handler, ) rest = handler.process(msg) client = connection = event = None # for regexp handlers match = rest f = handler.attach(locals()) results = pmxbot.itertools.generate_results(f) clean_results = pmxbot.itertools.trap_exceptions(results, exception_handler) messages = itertools.chain(messages, clean_results) if not handler.allow_chain: break self._handle_output(channel, messages)
Core message parser and dispatcher
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L501-L520
yougov/pmxbot
pmxbot/core.py
Bot.handle_scheduled
def handle_scheduled(self, target): """ target is a Handler or simple callable """ if not isinstance(target, Handler): return target() return self._handle_scheduled(target)
python
def handle_scheduled(self, target): """ target is a Handler or simple callable """ if not isinstance(target, Handler): return target() return self._handle_scheduled(target)
target is a Handler or simple callable
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/core.py#L526-L533
yougov/pmxbot
pmxbot/rolls.py
log_leave
def log_leave(event, nick, channel): """ Log a quit or part event. """ if channel not in pmxbot.config.log_channels: return ParticipantLogger.store.log(nick, channel, event.type)
python
def log_leave(event, nick, channel): """ Log a quit or part event. """ if channel not in pmxbot.config.log_channels: return ParticipantLogger.store.log(nick, channel, event.type)
Log a quit or part event.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/rolls.py#L43-L49
yougov/pmxbot
pmxbot/karma.py
karma
def karma(nick, rest): "Return or change the karma value for some(one|thing)" karmee = rest.strip('++').strip('--').strip('~~') if '++' in rest: Karma.store.change(karmee, 1) elif '--' in rest: Karma.store.change(karmee, -1) elif '~~' in rest: change = random.choice([-1, 0, 1]) Karma.store.change(karmee, change) if change == 1: return "%s karma++" % karmee elif change == 0: return "%s karma shall remain the same" % karmee elif change == -1: return "%s karma--" % karmee elif '==' in rest: t1, t2 = rest.split('==') try: Karma.store.link(t1, t2) except SameName: Karma.store.change(nick, -1) return "Don't try to link a name to itself!" except AlreadyLinked: return "Those names were previously linked." score = Karma.store.lookup(t1) return "%s and %s are now linked and have a score of %s" % (t1, t2, score) else: karmee = rest or nick score = Karma.store.lookup(karmee) return "%s has %s karmas" % (karmee, score)
python
def karma(nick, rest): "Return or change the karma value for some(one|thing)" karmee = rest.strip('++').strip('--').strip('~~') if '++' in rest: Karma.store.change(karmee, 1) elif '--' in rest: Karma.store.change(karmee, -1) elif '~~' in rest: change = random.choice([-1, 0, 1]) Karma.store.change(karmee, change) if change == 1: return "%s karma++" % karmee elif change == 0: return "%s karma shall remain the same" % karmee elif change == -1: return "%s karma--" % karmee elif '==' in rest: t1, t2 = rest.split('==') try: Karma.store.link(t1, t2) except SameName: Karma.store.change(nick, -1) return "Don't try to link a name to itself!" except AlreadyLinked: return "Those names were previously linked." score = Karma.store.lookup(t1) return "%s and %s are now linked and have a score of %s" % (t1, t2, score) else: karmee = rest or nick score = Karma.store.lookup(karmee) return "%s has %s karmas" % (karmee, score)
Return or change the karma value for some(one|thing)
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/karma.py#L271-L301
yougov/pmxbot
pmxbot/karma.py
top10
def top10(rest): """ Return the top n (default 10) highest entities by Karmic value. Use negative numbers for the bottom N. """ if rest: topn = int(rest) else: topn = 10 selection = Karma.store.list(topn) res = ' '.join('(%s: %s)' % (', '.join(n), k) for n, k in selection) return res
python
def top10(rest): """ Return the top n (default 10) highest entities by Karmic value. Use negative numbers for the bottom N. """ if rest: topn = int(rest) else: topn = 10 selection = Karma.store.list(topn) res = ' '.join('(%s: %s)' % (', '.join(n), k) for n, k in selection) return res
Return the top n (default 10) highest entities by Karmic value. Use negative numbers for the bottom N.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/karma.py#L305-L316
yougov/pmxbot
pmxbot/karma.py
Karma.link
def link(self, thing1, thing2): """ Link thing1 and thing2, adding the karma of each into a single entry. If any thing does not exist, it is created. """ thing1 = thing1.strip().lower() thing2 = thing2.strip().lower() if thing1 == thing2: raise SameName("Attempted to link two of the same name") self.change(thing1, 0) self.change(thing2, 0) return self._link(thing1, thing2)
python
def link(self, thing1, thing2): """ Link thing1 and thing2, adding the karma of each into a single entry. If any thing does not exist, it is created. """ thing1 = thing1.strip().lower() thing2 = thing2.strip().lower() if thing1 == thing2: raise SameName("Attempted to link two of the same name") self.change(thing1, 0) self.change(thing2, 0) return self._link(thing1, thing2)
Link thing1 and thing2, adding the karma of each into a single entry. If any thing does not exist, it is created.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/karma.py#L27-L39
yougov/pmxbot
pmxbot/karma.py
SQLiteKarma._get
def _get(self, id): "Return keys and value for karma id" VALUE_SQL = "SELECT karmavalue from karma_values where karmaid = ?" KEYS_SQL = "SELECT karmakey from karma_keys where karmaid = ?" value = self.db.execute(VALUE_SQL, [id]).fetchall()[0][0] keys_cur = self.db.execute(KEYS_SQL, [id]).fetchall() keys = sorted(x[0] for x in keys_cur) return keys, value
python
def _get(self, id): "Return keys and value for karma id" VALUE_SQL = "SELECT karmavalue from karma_values where karmaid = ?" KEYS_SQL = "SELECT karmakey from karma_keys where karmaid = ?" value = self.db.execute(VALUE_SQL, [id]).fetchall()[0][0] keys_cur = self.db.execute(KEYS_SQL, [id]).fetchall() keys = sorted(x[0] for x in keys_cur) return keys, value
Return keys and value for karma id
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/karma.py#L162-L169
yougov/pmxbot
pmxbot/karma.py
MongoDBKarma.repair_duplicate_names
def repair_duplicate_names(self): """ Prior to 1101.1.1, pmxbot would incorrectly create new karma records for individuals with multiple names. This routine corrects those records. """ for name in self._all_names(): cur = self.db.find({'names': name}) main_doc = next(cur) for duplicate in cur: query = {'_id': main_doc['_id']} update = { '$inc': {'value': duplicate['value']}, '$push': {'names': {'$each': duplicate['names']}}, } self.db.update(query, update) self.db.remove(duplicate)
python
def repair_duplicate_names(self): """ Prior to 1101.1.1, pmxbot would incorrectly create new karma records for individuals with multiple names. This routine corrects those records. """ for name in self._all_names(): cur = self.db.find({'names': name}) main_doc = next(cur) for duplicate in cur: query = {'_id': main_doc['_id']} update = { '$inc': {'value': duplicate['value']}, '$push': {'names': {'$each': duplicate['names']}}, } self.db.update(query, update) self.db.remove(duplicate)
Prior to 1101.1.1, pmxbot would incorrectly create new karma records for individuals with multiple names. This routine corrects those records.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/karma.py#L251-L267
yougov/pmxbot
pmxbot/notify.py
donotify
def donotify(nick, rest): "notify <nick> <message>" opts = rest.split(' ') to = opts[0] Notify.store.notify(nick, to, ' '.join(opts[1:])) return "Will do!"
python
def donotify(nick, rest): "notify <nick> <message>" opts = rest.split(' ') to = opts[0] Notify.store.notify(nick, to, ' '.join(opts[1:])) return "Will do!"
notify <nick> <message>
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/notify.py#L93-L98
yougov/pmxbot
pmxbot/notify.py
SQLiteNotify.lookup
def lookup(self, nick): query = """ SELECT fromnick, message, notifytime, notifyid FROM notify WHERE tonick = ? """ ''' Ugly, but will work with sqlite3 or pysqlite2 ''' messages = [ { 'fromnick': x[0], 'message': x[1], 'notifytime': x[2], 'notifyid': x[3], } for x in self.db.execute(query, [nick]) ] ids = [x['notifyid'] for x in messages] query = """ DELETE FROM notify WHERE notifyid IN (%s) """ % ','.join('?' for x in ids) self.db.execute(query, ids) return messages
python
def lookup(self, nick): query = """ SELECT fromnick, message, notifytime, notifyid FROM notify WHERE tonick = ? """ ''' Ugly, but will work with sqlite3 or pysqlite2 ''' messages = [ { 'fromnick': x[0], 'message': x[1], 'notifytime': x[2], 'notifyid': x[3], } for x in self.db.execute(query, [nick]) ] ids = [x['notifyid'] for x in messages] query = """ DELETE FROM notify WHERE notifyid IN (%s) """ % ','.join('?' for x in ids) self.db.execute(query, ids) return messages
Ugly, but will work with sqlite3 or pysqlite2
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/notify.py#L36-L58
yougov/pmxbot
pmxbot/commands.py
google
def google(rest): "Look up a phrase on google" API_URL = 'https://www.googleapis.com/customsearch/v1?' try: key = pmxbot.config['Google API key'] except KeyError: return "Configure 'Google API key' in config" # Use a custom search that searches everything normally # http://stackoverflow.com/a/11206266/70170 custom_search = '004862762669074674786:hddvfu0gyg0' params = dict( key=key, cx=custom_search, q=rest.strip(), ) url = API_URL + urllib.parse.urlencode(params) resp = requests.get(url) resp.raise_for_status() results = resp.json() hit1 = next(iter(results['items'])) return ' - '.join(( urllib.parse.unquote(hit1['link']), hit1['title'], ))
python
def google(rest): "Look up a phrase on google" API_URL = 'https://www.googleapis.com/customsearch/v1?' try: key = pmxbot.config['Google API key'] except KeyError: return "Configure 'Google API key' in config" # Use a custom search that searches everything normally # http://stackoverflow.com/a/11206266/70170 custom_search = '004862762669074674786:hddvfu0gyg0' params = dict( key=key, cx=custom_search, q=rest.strip(), ) url = API_URL + urllib.parse.urlencode(params) resp = requests.get(url) resp.raise_for_status() results = resp.json() hit1 = next(iter(results['items'])) return ' - '.join(( urllib.parse.unquote(hit1['link']), hit1['title'], ))
Look up a phrase on google
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L28-L51
yougov/pmxbot
pmxbot/commands.py
boo
def boo(rest): "Boo someone" slapee = rest karma.Karma.store.change(slapee, -1) return "/me BOOO %s!!! BOOO!!!" % slapee
python
def boo(rest): "Boo someone" slapee = rest karma.Karma.store.change(slapee, -1) return "/me BOOO %s!!! BOOO!!!" % slapee
Boo someone
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L73-L77
yougov/pmxbot
pmxbot/commands.py
troutslap
def troutslap(rest): "Slap some(one|thing) with a fish" slapee = rest karma.Karma.store.change(slapee, -1) return "/me slaps %s around a bit with a large trout" % slapee
python
def troutslap(rest): "Slap some(one|thing) with a fish" slapee = rest karma.Karma.store.change(slapee, -1) return "/me slaps %s around a bit with a large trout" % slapee
Slap some(one|thing) with a fish
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L81-L85
yougov/pmxbot
pmxbot/commands.py
keelhaul
def keelhaul(rest): "Inflict great pain and embarassment on some(one|thing)" keelee = rest karma.Karma.store.change(keelee, -1) return ( "/me straps %s to a dirty rope, tosses 'em overboard and pulls " "with great speed. Yarrr!" % keelee)
python
def keelhaul(rest): "Inflict great pain and embarassment on some(one|thing)" keelee = rest karma.Karma.store.change(keelee, -1) return ( "/me straps %s to a dirty rope, tosses 'em overboard and pulls " "with great speed. Yarrr!" % keelee)
Inflict great pain and embarassment on some(one|thing)
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L89-L95
yougov/pmxbot
pmxbot/commands.py
annoy
def annoy(): "Annoy everyone with meaningless banter" def a1(): yield 'OOOOOOOHHH, WHAT DO YOU DO WITH A DRUNKEN SAILOR' yield 'WHAT DO YOU DO WITH A DRUNKEN SAILOR' yield "WHAT DO YOU DO WITH A DRUNKEN SAILOR, EARLY IN THE MORNIN'?" def a2(): yield "I'M HENRY THE EIGHTH I AM" yield "HENRY THE EIGHTH I AM I AM" yield ( "I GOT MARRIED TO THE GIRL NEXT DOOR; SHE'S BEEN MARRIED " "SEVEN TIMES BEFORE") def a3(): yield "BOTHER!" yield "BOTHER BOTHER BOTHER!" yield "BOTHER BOTHER BOTHER BOTHER!" def a4(): yield "AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA" yield "EEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEE" yield "AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA" def a5(): yield "YOUR MOTHER WAS A HAMSTER!" yield "AND YOUR FATHER SMELLED OF ELDERBERRIES!" def a6(): yield( "My Tallest! My Tallest! Hey! Hey My Tallest! My Tallest? My " "Tallest! Hey! Hey! Hey! My Taaaaaaallist! My Tallest? My " "Tallest! Hey! Hey My Tallest! My Tallest? It's me! My Tallest? " "My Tallest!") return random.choice([a1, a2, a3, a4, a5, a6])()
python
def annoy(): "Annoy everyone with meaningless banter" def a1(): yield 'OOOOOOOHHH, WHAT DO YOU DO WITH A DRUNKEN SAILOR' yield 'WHAT DO YOU DO WITH A DRUNKEN SAILOR' yield "WHAT DO YOU DO WITH A DRUNKEN SAILOR, EARLY IN THE MORNIN'?" def a2(): yield "I'M HENRY THE EIGHTH I AM" yield "HENRY THE EIGHTH I AM I AM" yield ( "I GOT MARRIED TO THE GIRL NEXT DOOR; SHE'S BEEN MARRIED " "SEVEN TIMES BEFORE") def a3(): yield "BOTHER!" yield "BOTHER BOTHER BOTHER!" yield "BOTHER BOTHER BOTHER BOTHER!" def a4(): yield "AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA" yield "EEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEE" yield "AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA" def a5(): yield "YOUR MOTHER WAS A HAMSTER!" yield "AND YOUR FATHER SMELLED OF ELDERBERRIES!" def a6(): yield( "My Tallest! My Tallest! Hey! Hey My Tallest! My Tallest? My " "Tallest! Hey! Hey! Hey! My Taaaaaaallist! My Tallest? My " "Tallest! Hey! Hey My Tallest! My Tallest? It's me! My Tallest? " "My Tallest!") return random.choice([a1, a2, a3, a4, a5, a6])()
Annoy everyone with meaningless banter
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L99-L133
yougov/pmxbot
pmxbot/commands.py
rubberstamp
def rubberstamp(rest): "Approve something" parts = ["Bad credit? No credit? Slow credit?"] rest = rest.strip() if rest: parts.append("%s is" % rest) karma.Karma.store.change(rest, 1) parts.append("APPROVED!") return " ".join(parts)
python
def rubberstamp(rest): "Approve something" parts = ["Bad credit? No credit? Slow credit?"] rest = rest.strip() if rest: parts.append("%s is" % rest) karma.Karma.store.change(rest, 1) parts.append("APPROVED!") return " ".join(parts)
Approve something
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L162-L170
yougov/pmxbot
pmxbot/commands.py
cheer
def cheer(rest): "Cheer for something" if rest: karma.Karma.store.change(rest, 1) return "/me cheers for %s!" % rest karma.Karma.store.change('the day', 1) return "/me cheers!"
python
def cheer(rest): "Cheer for something" if rest: karma.Karma.store.change(rest, 1) return "/me cheers for %s!" % rest karma.Karma.store.change('the day', 1) return "/me cheers!"
Cheer for something
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L174-L180
yougov/pmxbot
pmxbot/commands.py
golfclap
def golfclap(rest): "Clap for something" clapv = random.choice(phrases.clapvl) adv = random.choice(phrases.advl) adj = random.choice(phrases.adjl) if rest: clapee = rest.strip() karma.Karma.store.change(clapee, 1) return "/me claps %s for %s, %s %s." % (clapv, rest, adv, adj) return "/me claps %s, %s %s." % (clapv, adv, adj)
python
def golfclap(rest): "Clap for something" clapv = random.choice(phrases.clapvl) adv = random.choice(phrases.advl) adj = random.choice(phrases.adjl) if rest: clapee = rest.strip() karma.Karma.store.change(clapee, 1) return "/me claps %s for %s, %s %s." % (clapv, rest, adv, adj) return "/me claps %s, %s %s." % (clapv, adv, adj)
Clap for something
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L184-L193
yougov/pmxbot
pmxbot/commands.py
featurecreep
def featurecreep(): "Generate feature creep (P+C http://www.dack.com/web/bullshit.html)" verb = random.choice(phrases.fcverbs).capitalize() adjective = random.choice(phrases.fcadjectives) noun = random.choice(phrases.fcnouns) return '%s %s %s!' % (verb, adjective, noun)
python
def featurecreep(): "Generate feature creep (P+C http://www.dack.com/web/bullshit.html)" verb = random.choice(phrases.fcverbs).capitalize() adjective = random.choice(phrases.fcadjectives) noun = random.choice(phrases.fcnouns) return '%s %s %s!' % (verb, adjective, noun)
Generate feature creep (P+C http://www.dack.com/web/bullshit.html)
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L197-L202
yougov/pmxbot
pmxbot/commands.py
job
def job(): "Generate a job title, http://www.cubefigures.com/job.html" j1 = random.choice(phrases.jobs1) j2 = random.choice(phrases.jobs2) j3 = random.choice(phrases.jobs3) return '%s %s %s' % (j1, j2, j3)
python
def job(): "Generate a job title, http://www.cubefigures.com/job.html" j1 = random.choice(phrases.jobs1) j2 = random.choice(phrases.jobs2) j3 = random.choice(phrases.jobs3) return '%s %s %s' % (j1, j2, j3)
Generate a job title, http://www.cubefigures.com/job.html
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L206-L211
yougov/pmxbot
pmxbot/commands.py
oregontrail
def oregontrail(channel, nick, rest): "It's edutainment!" rest = rest.strip() if rest: who = rest.strip() else: who = random.choice([nick, channel, 'pmxbot']) action = random.choice(phrases.otrail_actions) if action in ('has', 'has died from'): issue = random.choice(phrases.otrail_issues) text = '%s %s %s.' % (who, action, issue) else: text = '%s %s' % (who, action) return text
python
def oregontrail(channel, nick, rest): "It's edutainment!" rest = rest.strip() if rest: who = rest.strip() else: who = random.choice([nick, channel, 'pmxbot']) action = random.choice(phrases.otrail_actions) if action in ('has', 'has died from'): issue = random.choice(phrases.otrail_issues) text = '%s %s %s.' % (who, action, issue) else: text = '%s %s' % (who, action) return text
It's edutainment!
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L232-L245
yougov/pmxbot
pmxbot/commands.py
zinger
def zinger(rest): "ZING!" name = 'you' if rest: name = rest.strip() karma.Karma.store.change(name, -1) return "OH MAN!!! %s TOTALLY GOT ZING'D!" % (name.upper())
python
def zinger(rest): "ZING!" name = 'you' if rest: name = rest.strip() karma.Karma.store.change(name, -1) return "OH MAN!!! %s TOTALLY GOT ZING'D!" % (name.upper())
ZING!
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L249-L255
yougov/pmxbot
pmxbot/commands.py
motivate
def motivate(channel, rest): "Motivate someone" if rest: r = rest.strip() m = re.match(r'^(.+)\s*\bfor\b\s*(.+)$', r) if m: r = m.groups()[0].strip() else: r = channel karma.Karma.store.change(r, 1) return "you're doing good work, %s!" % r
python
def motivate(channel, rest): "Motivate someone" if rest: r = rest.strip() m = re.match(r'^(.+)\s*\bfor\b\s*(.+)$', r) if m: r = m.groups()[0].strip() else: r = channel karma.Karma.store.change(r, 1) return "you're doing good work, %s!" % r
Motivate someone
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L259-L269
yougov/pmxbot
pmxbot/commands.py
demotivate
def demotivate(channel, rest): "Demotivate someone" if rest: r = rest.strip() else: r = channel karma.Karma.store.change(r, -1) return "you're doing horrible work, %s!" % r
python
def demotivate(channel, rest): "Demotivate someone" if rest: r = rest.strip() else: r = channel karma.Karma.store.change(r, -1) return "you're doing horrible work, %s!" % r
Demotivate someone
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L292-L299
yougov/pmxbot
pmxbot/commands.py
eball
def eball(rest): "Ask the magic 8ball a question" try: url = 'https://8ball.delegator.com/magic/JSON/' url += rest result = requests.get(url).json()['magic']['answer'] except Exception: result = util.wchoice(phrases.ball8_opts) return result
python
def eball(rest): "Ask the magic 8ball a question" try: url = 'https://8ball.delegator.com/magic/JSON/' url += rest result = requests.get(url).json()['magic']['answer'] except Exception: result = util.wchoice(phrases.ball8_opts) return result
Ask the magic 8ball a question
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L303-L311
yougov/pmxbot
pmxbot/commands.py
roll
def roll(rest, nick): "Roll a die, default = 100." if rest: rest = rest.strip() die = int(rest) else: die = 100 myroll = random.randint(1, die) return "%s rolls %s" % (nick, myroll)
python
def roll(rest, nick): "Roll a die, default = 100." if rest: rest = rest.strip() die = int(rest) else: die = 100 myroll = random.randint(1, die) return "%s rolls %s" % (nick, myroll)
Roll a die, default = 100.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L321-L329
yougov/pmxbot
pmxbot/commands.py
ticker
def ticker(rest): "Look up a ticker symbol's current trading value" ticker = rest.upper() # let's use Yahoo's nifty csv facility, and pull last time/price both symbol = 's' last_trade_price = 'l1' last_trade_time = 't1' change_percent = 'p2' format = ''.join((symbol, last_trade_time, last_trade_price, change_percent)) url = ( 'http://finance.yahoo.com/d/quotes.csv?s=%(ticker)s&f=%(format)s' % locals()) stock_info = csv.reader(util.open_url(url).text.splitlines()) last_trade, = stock_info ticker_given, time, price, diff = last_trade if ticker_given != ticker: return "d'oh... could not find information for symbol %s" % ticker return '%(ticker)s at %(time)s (ET): %(price)s (%(diff)s)' % locals()
python
def ticker(rest): "Look up a ticker symbol's current trading value" ticker = rest.upper() # let's use Yahoo's nifty csv facility, and pull last time/price both symbol = 's' last_trade_price = 'l1' last_trade_time = 't1' change_percent = 'p2' format = ''.join((symbol, last_trade_time, last_trade_price, change_percent)) url = ( 'http://finance.yahoo.com/d/quotes.csv?s=%(ticker)s&f=%(format)s' % locals()) stock_info = csv.reader(util.open_url(url).text.splitlines()) last_trade, = stock_info ticker_given, time, price, diff = last_trade if ticker_given != ticker: return "d'oh... could not find information for symbol %s" % ticker return '%(ticker)s at %(time)s (ET): %(price)s (%(diff)s)' % locals()
Look up a ticker symbol's current trading value
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L347-L364
yougov/pmxbot
pmxbot/commands.py
pick
def pick(rest): "Pick between a few options" question = rest.strip() choices = util.splitem(question) if len(choices) == 1: return "I can't pick if you give me only one choice!" else: pick = random.choice(choices) certainty = random.sample(phrases.certainty_opts, 1)[0] return "%s... %s %s" % (pick, certainty, pick)
python
def pick(rest): "Pick between a few options" question = rest.strip() choices = util.splitem(question) if len(choices) == 1: return "I can't pick if you give me only one choice!" else: pick = random.choice(choices) certainty = random.sample(phrases.certainty_opts, 1)[0] return "%s... %s %s" % (pick, certainty, pick)
Pick between a few options
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L368-L377
yougov/pmxbot
pmxbot/commands.py
lunch
def lunch(rest): "Pick where to go to lunch" rs = rest.strip() if not rs: return "Give me an area and I'll pick a place: (%s)" % ( ', '.join(list(pmxbot.config.lunch_choices))) if rs not in pmxbot.config.lunch_choices: return "I didn't recognize that area; here's what i have: (%s)" % ( ', '.join(list(pmxbot.config.lunch_choices))) choices = pmxbot.config.lunch_choices[rs] return random.choice(choices)
python
def lunch(rest): "Pick where to go to lunch" rs = rest.strip() if not rs: return "Give me an area and I'll pick a place: (%s)" % ( ', '.join(list(pmxbot.config.lunch_choices))) if rs not in pmxbot.config.lunch_choices: return "I didn't recognize that area; here's what i have: (%s)" % ( ', '.join(list(pmxbot.config.lunch_choices))) choices = pmxbot.config.lunch_choices[rs] return random.choice(choices)
Pick where to go to lunch
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L381-L391
yougov/pmxbot
pmxbot/commands.py
password
def password(rest): """ Generate a random password, similar to http://www.pctools.com/guides/password """ charsets = [ string.ascii_lowercase, string.ascii_uppercase, string.digits, string.punctuation, ] passwd = [] try: length = rest.strip() or 12 length = int(length) except ValueError: return 'need an integer password length!' for i in range(length): passwd.append(random.choice(''.join(charsets))) if length >= len(charsets): # Ensure we have at least one character from each charset replacement_indices = random.sample(range(length), len(charsets)) for i, charset in zip(replacement_indices, charsets): passwd[i] = random.choice(charset) return ''.join(passwd)
python
def password(rest): """ Generate a random password, similar to http://www.pctools.com/guides/password """ charsets = [ string.ascii_lowercase, string.ascii_uppercase, string.digits, string.punctuation, ] passwd = [] try: length = rest.strip() or 12 length = int(length) except ValueError: return 'need an integer password length!' for i in range(length): passwd.append(random.choice(''.join(charsets))) if length >= len(charsets): # Ensure we have at least one character from each charset replacement_indices = random.sample(range(length), len(charsets)) for i, charset in zip(replacement_indices, charsets): passwd[i] = random.choice(charset) return ''.join(passwd)
Generate a random password, similar to http://www.pctools.com/guides/password
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L395-L423
yougov/pmxbot
pmxbot/commands.py
insult
def insult(rest): "Generate a random insult from datahamster" # not supplying any style will automatically redirect to a random url = 'http://autoinsult.datahamster.com/' ins_type = random.randrange(4) ins_url = url + "?style={ins_type}".format(**locals()) insre = re.compile('<div class="insult" id="insult">(.*?)</div>') resp = requests.get(ins_url) resp.raise_for_status() insult = insre.search(resp.text).group(1) if not insult: return if rest: insultee = rest.strip() karma.Karma.store.change(insultee, -1) if ins_type in (0, 2): cinsre = re.compile(r'\b(your)\b', re.IGNORECASE) insult = cinsre.sub("%s's" % insultee, insult) elif ins_type in (1, 3): cinsre = re.compile(r'^([TY])') insult = cinsre.sub( lambda m: "%s, %s" % ( insultee, m.group(1).lower()), insult) return insult
python
def insult(rest): "Generate a random insult from datahamster" # not supplying any style will automatically redirect to a random url = 'http://autoinsult.datahamster.com/' ins_type = random.randrange(4) ins_url = url + "?style={ins_type}".format(**locals()) insre = re.compile('<div class="insult" id="insult">(.*?)</div>') resp = requests.get(ins_url) resp.raise_for_status() insult = insre.search(resp.text).group(1) if not insult: return if rest: insultee = rest.strip() karma.Karma.store.change(insultee, -1) if ins_type in (0, 2): cinsre = re.compile(r'\b(your)\b', re.IGNORECASE) insult = cinsre.sub("%s's" % insultee, insult) elif ins_type in (1, 3): cinsre = re.compile(r'^([TY])') insult = cinsre.sub( lambda m: "%s, %s" % ( insultee, m.group(1).lower()), insult) return insult
Generate a random insult from datahamster
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L427-L450
yougov/pmxbot
pmxbot/commands.py
compliment
def compliment(rest): """ Generate a random compliment from http://www.madsci.org/cgi-bin/cgiwrap/~lynn/jardin/SCG """ compurl = 'http://www.madsci.org/cgi-bin/cgiwrap/~lynn/jardin/SCG' comphtml = ''.join([i.decode() for i in urllib.request.urlopen(compurl)]) compmark1 = '<h2>\n\n' compmark2 = '\n</h2>' compliment = comphtml[ comphtml.find(compmark1) + len(compmark1):comphtml.find(compmark2)] if compliment: compliment = re.compile(r'\n').sub('%s' % ' ', compliment) compliment = re.compile(r' ').sub('%s' % ' ', compliment) if rest: complimentee = rest.strip() karma.Karma.store.change(complimentee, 1) compliment = re.compile(r'\b(your)\b', re.IGNORECASE).sub( '%s\'s' % complimentee, compliment) compliment = re.compile(r'\b(you are)\b', re.IGNORECASE).sub( '%s is' % complimentee, compliment) compliment = re.compile(r'\b(you have)\b', re.IGNORECASE).sub( '%s has' % complimentee, compliment) return compliment
python
def compliment(rest): """ Generate a random compliment from http://www.madsci.org/cgi-bin/cgiwrap/~lynn/jardin/SCG """ compurl = 'http://www.madsci.org/cgi-bin/cgiwrap/~lynn/jardin/SCG' comphtml = ''.join([i.decode() for i in urllib.request.urlopen(compurl)]) compmark1 = '<h2>\n\n' compmark2 = '\n</h2>' compliment = comphtml[ comphtml.find(compmark1) + len(compmark1):comphtml.find(compmark2)] if compliment: compliment = re.compile(r'\n').sub('%s' % ' ', compliment) compliment = re.compile(r' ').sub('%s' % ' ', compliment) if rest: complimentee = rest.strip() karma.Karma.store.change(complimentee, 1) compliment = re.compile(r'\b(your)\b', re.IGNORECASE).sub( '%s\'s' % complimentee, compliment) compliment = re.compile(r'\b(you are)\b', re.IGNORECASE).sub( '%s is' % complimentee, compliment) compliment = re.compile(r'\b(you have)\b', re.IGNORECASE).sub( '%s has' % complimentee, compliment) return compliment
Generate a random compliment from http://www.madsci.org/cgi-bin/cgiwrap/~lynn/jardin/SCG
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L454-L477
yougov/pmxbot
pmxbot/commands.py
emer_comp
def emer_comp(rest): "Return a random compliment from http://emergencycompliment.com/" comps = util.load_emergency_compliments() compliment = random.choice(comps) if rest: complimentee = rest.strip() karma.Karma.store.change(complimentee, 1) return "%s: %s" % (complimentee, compliment) return compliment
python
def emer_comp(rest): "Return a random compliment from http://emergencycompliment.com/" comps = util.load_emergency_compliments() compliment = random.choice(comps) if rest: complimentee = rest.strip() karma.Karma.store.change(complimentee, 1) return "%s: %s" % (complimentee, compliment) return compliment
Return a random compliment from http://emergencycompliment.com/
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L481-L489
yougov/pmxbot
pmxbot/commands.py
gettowork
def gettowork(channel, nick, rest): "You really ought to, ya know..." suggestions = [ "Um, might I suggest working now", "Get to work", ( "Between the coffee break, the smoking break, the lunch break, " "the tea break, the bagel break, and the water cooler break, " "may I suggest a work break. It’s when you do some work" ), "Work faster", "I didn’t realize we paid people for doing that", "You aren't being paid to believe in the power of your dreams", ] suggestion = random.choice(suggestions) rest = rest.strip() if rest: karma.Karma.store.change(rest, -1) suggestion = suggestion + ', %s' % rest else: karma.Karma.store.change(channel, -1) karma.Karma.store.change(nick, -1) return suggestion
python
def gettowork(channel, nick, rest): "You really ought to, ya know..." suggestions = [ "Um, might I suggest working now", "Get to work", ( "Between the coffee break, the smoking break, the lunch break, " "the tea break, the bagel break, and the water cooler break, " "may I suggest a work break. It’s when you do some work" ), "Work faster", "I didn’t realize we paid people for doing that", "You aren't being paid to believe in the power of your dreams", ] suggestion = random.choice(suggestions) rest = rest.strip() if rest: karma.Karma.store.change(rest, -1) suggestion = suggestion + ', %s' % rest else: karma.Karma.store.change(channel, -1) karma.Karma.store.change(nick, -1) return suggestion
You really ought to, ya know...
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L493-L515
yougov/pmxbot
pmxbot/commands.py
bitchingisuseless
def bitchingisuseless(channel, rest): "It really is, ya know..." rest = rest.strip() if rest: karma.Karma.store.change(rest, -1) else: karma.Karma.store.change(channel, -1) rest = "foo'" advice = 'Quiet bitching is useless, %s. Do something about it.' % rest return advice
python
def bitchingisuseless(channel, rest): "It really is, ya know..." rest = rest.strip() if rest: karma.Karma.store.change(rest, -1) else: karma.Karma.store.change(channel, -1) rest = "foo'" advice = 'Quiet bitching is useless, %s. Do something about it.' % rest return advice
It really is, ya know...
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L519-L528
yougov/pmxbot
pmxbot/commands.py
curse
def curse(rest): "Curse the day!" if rest: cursee = rest else: cursee = 'the day' karma.Karma.store.change(cursee, -1) return "/me curses %s!" % cursee
python
def curse(rest): "Curse the day!" if rest: cursee = rest else: cursee = 'the day' karma.Karma.store.change(cursee, -1) return "/me curses %s!" % cursee
Curse the day!
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L532-L539
yougov/pmxbot
pmxbot/commands.py
stab
def stab(nick, rest): "Stab, shank or shiv some(one|thing)!" if rest: stabee = rest else: stabee = 'wildly at anything' if random.random() < 0.9: karma.Karma.store.change(stabee, -1) weapon = random.choice(phrases.weapon_opts) weaponadj = random.choice(phrases.weapon_adjs) violentact = random.choice(phrases.violent_acts) return "/me grabs a %s %s and %s %s!" % ( weaponadj, weapon, violentact, stabee) elif random.random() < 0.6: karma.Karma.store.change(stabee, -1) return ( "/me is going to become rich and famous after i invent a " "device that allows you to stab people in the face over the " "internet") else: karma.Karma.store.change(nick, -1) return ( "/me turns on its master and shivs %s. This is reality man, " "and you never know what you're going to get!" % nick)
python
def stab(nick, rest): "Stab, shank or shiv some(one|thing)!" if rest: stabee = rest else: stabee = 'wildly at anything' if random.random() < 0.9: karma.Karma.store.change(stabee, -1) weapon = random.choice(phrases.weapon_opts) weaponadj = random.choice(phrases.weapon_adjs) violentact = random.choice(phrases.violent_acts) return "/me grabs a %s %s and %s %s!" % ( weaponadj, weapon, violentact, stabee) elif random.random() < 0.6: karma.Karma.store.change(stabee, -1) return ( "/me is going to become rich and famous after i invent a " "device that allows you to stab people in the face over the " "internet") else: karma.Karma.store.change(nick, -1) return ( "/me turns on its master and shivs %s. This is reality man, " "and you never know what you're going to get!" % nick)
Stab, shank or shiv some(one|thing)!
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L554-L577
yougov/pmxbot
pmxbot/commands.py
disembowel
def disembowel(rest): "Disembowel some(one|thing)!" if rest: stabee = rest karma.Karma.store.change(stabee, -1) else: stabee = "someone nearby" return ( "/me takes %s, brings them down to the basement, ties them to a " "leaky pipe, and once bored of playing with them mercifully " "ritually disembowels them..." % stabee)
python
def disembowel(rest): "Disembowel some(one|thing)!" if rest: stabee = rest karma.Karma.store.change(stabee, -1) else: stabee = "someone nearby" return ( "/me takes %s, brings them down to the basement, ties them to a " "leaky pipe, and once bored of playing with them mercifully " "ritually disembowels them..." % stabee)
Disembowel some(one|thing)!
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L581-L591
yougov/pmxbot
pmxbot/commands.py
embowel
def embowel(rest): "Embowel some(one|thing)!" if rest: stabee = rest karma.Karma.store.change(stabee, 1) else: stabee = "someone nearby" return ( "/me (wearing a bright pink cape and yellow tights) swoops in " "through an open window, snatches %s, races out of the basement, " "takes them to the hospital with entrails on ice, and mercifully " "embowels them, saving the day..." % stabee)
python
def embowel(rest): "Embowel some(one|thing)!" if rest: stabee = rest karma.Karma.store.change(stabee, 1) else: stabee = "someone nearby" return ( "/me (wearing a bright pink cape and yellow tights) swoops in " "through an open window, snatches %s, races out of the basement, " "takes them to the hospital with entrails on ice, and mercifully " "embowels them, saving the day..." % stabee)
Embowel some(one|thing)!
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L595-L606
yougov/pmxbot
pmxbot/commands.py
chain
def chain(rest, nick): "Chain some(one|thing) down." chainee = rest or "someone nearby" if chainee == 'cperry': tmpl = "/me ties the chains extra tight around {chainee}" elif random.random() < .9: tmpl = ( "/me chains {chainee} to the nearest desk. " "you ain't going home, buddy." ) else: karma.Karma.store.change(nick, -1) tmpl = ( "/me spins violently around and chains {nick} to the nearest " "desk. your days of chaining people down and stomping on their " "dreams are over! get a life, you miserable beast." ) return tmpl.format_map(locals())
python
def chain(rest, nick): "Chain some(one|thing) down." chainee = rest or "someone nearby" if chainee == 'cperry': tmpl = "/me ties the chains extra tight around {chainee}" elif random.random() < .9: tmpl = ( "/me chains {chainee} to the nearest desk. " "you ain't going home, buddy." ) else: karma.Karma.store.change(nick, -1) tmpl = ( "/me spins violently around and chains {nick} to the nearest " "desk. your days of chaining people down and stomping on their " "dreams are over! get a life, you miserable beast." ) return tmpl.format_map(locals())
Chain some(one|thing) down.
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L610-L627
yougov/pmxbot
pmxbot/commands.py
bless
def bless(rest): "Bless the day!" if rest: blesse = rest else: blesse = 'the day' karma.Karma.store.change(blesse, 1) return "/me blesses %s!" % blesse
python
def bless(rest): "Bless the day!" if rest: blesse = rest else: blesse = 'the day' karma.Karma.store.change(blesse, 1) return "/me blesses %s!" % blesse
Bless the day!
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L631-L638
yougov/pmxbot
pmxbot/commands.py
blame
def blame(channel, rest, nick): "Pass the buck!" if rest: blamee = rest else: blamee = channel karma.Karma.store.change(nick, -1) if random.randint(1, 10) == 1: yield "/me jumps atop the chair and points back at %s." % nick yield ( "stop blaming the world for your problems, you bitter, " "two-faced sissified monkey!" ) else: yield ( "I blame %s for everything! it's your fault! " "it's all your fault!!" % blamee ) yield "/me cries and weeps in despair"
python
def blame(channel, rest, nick): "Pass the buck!" if rest: blamee = rest else: blamee = channel karma.Karma.store.change(nick, -1) if random.randint(1, 10) == 1: yield "/me jumps atop the chair and points back at %s." % nick yield ( "stop blaming the world for your problems, you bitter, " "two-faced sissified monkey!" ) else: yield ( "I blame %s for everything! it's your fault! " "it's all your fault!!" % blamee ) yield "/me cries and weeps in despair"
Pass the buck!
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L642-L660
yougov/pmxbot
pmxbot/commands.py
calc
def calc(rest): "Perform a basic calculation" mo = calc_exp.match(rest) if mo: try: return str(eval(rest)) except Exception: return "eval failed... check your syntax" else: return "misformatted arithmetic!"
python
def calc(rest): "Perform a basic calculation" mo = calc_exp.match(rest) if mo: try: return str(eval(rest)) except Exception: return "eval failed... check your syntax" else: return "misformatted arithmetic!"
Perform a basic calculation
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L706-L715
yougov/pmxbot
pmxbot/commands.py
define
def define(rest): "Define a word" word = rest.strip() res = util.lookup(word) fmt = ( '{lookup.provider} says: {res}' if res else "{lookup.provider} does not have a definition for that.") return fmt.format(**dict(locals(), lookup=util.lookup))
python
def define(rest): "Define a word" word = rest.strip() res = util.lookup(word) fmt = ( '{lookup.provider} says: {res}' if res else "{lookup.provider} does not have a definition for that.") return fmt.format(**dict(locals(), lookup=util.lookup))
Define a word
https://github.com/yougov/pmxbot/blob/5da84a3258a0fd73cb35b60e39769a5d7bfb2ba7/pmxbot/commands.py#L719-L726