repo
stringlengths
7
55
path
stringlengths
4
127
func_name
stringlengths
1
88
original_string
stringlengths
75
19.8k
language
stringclasses
1 value
code
stringlengths
75
19.8k
code_tokens
list
docstring
stringlengths
3
17.3k
docstring_tokens
list
sha
stringlengths
40
40
url
stringlengths
87
242
partition
stringclasses
1 value
rfk/playitagainsam
playitagainsam/util.py
forkexec_pty
def forkexec_pty(argv, env=None, size=None): """Fork a child process attached to a pty.""" child_pid, child_fd = pty.fork() if child_pid == 0: os.closerange(3, MAXFD) environ = os.environ.copy() if env is not None: environ.update(env) os.execve(argv[0], argv, envi...
python
def forkexec_pty(argv, env=None, size=None): """Fork a child process attached to a pty.""" child_pid, child_fd = pty.fork() if child_pid == 0: os.closerange(3, MAXFD) environ = os.environ.copy() if env is not None: environ.update(env) os.execve(argv[0], argv, envi...
[ "def", "forkexec_pty", "(", "argv", ",", "env", "=", "None", ",", "size", "=", "None", ")", ":", "child_pid", ",", "child_fd", "=", "pty", ".", "fork", "(", ")", "if", "child_pid", "==", "0", ":", "os", ".", "closerange", "(", "3", ",", "MAXFD", ...
Fork a child process attached to a pty.
[ "Fork", "a", "child", "process", "attached", "to", "a", "pty", "." ]
897cc8e8ca920a4afb8597b4a345361065a3f108
https://github.com/rfk/playitagainsam/blob/897cc8e8ca920a4afb8597b4a345361065a3f108/playitagainsam/util.py#L87-L102
train
rfk/playitagainsam
playitagainsam/util.py
get_ancestor_processes
def get_ancestor_processes(): """Get a list of the executables of all ancestor processes.""" if not _ANCESTOR_PROCESSES and psutil is not None: proc = psutil.Process(os.getpid()) while proc.parent() is not None: try: _ANCESTOR_PROCESSES.append(proc.parent().exe()) ...
python
def get_ancestor_processes(): """Get a list of the executables of all ancestor processes.""" if not _ANCESTOR_PROCESSES and psutil is not None: proc = psutil.Process(os.getpid()) while proc.parent() is not None: try: _ANCESTOR_PROCESSES.append(proc.parent().exe()) ...
[ "def", "get_ancestor_processes", "(", ")", ":", "if", "not", "_ANCESTOR_PROCESSES", "and", "psutil", "is", "not", "None", ":", "proc", "=", "psutil", ".", "Process", "(", "os", ".", "getpid", "(", ")", ")", "while", "proc", ".", "parent", "(", ")", "is...
Get a list of the executables of all ancestor processes.
[ "Get", "a", "list", "of", "the", "executables", "of", "all", "ancestor", "processes", "." ]
897cc8e8ca920a4afb8597b4a345361065a3f108
https://github.com/rfk/playitagainsam/blob/897cc8e8ca920a4afb8597b4a345361065a3f108/playitagainsam/util.py#L121-L131
train
rfk/playitagainsam
playitagainsam/util.py
get_default_shell
def get_default_shell(environ=None, fallback=_UNSPECIFIED): """Get the user's default shell program.""" if environ is None: environ = os.environ # If the option is specified in the environment, respect it. if "PIAS_OPT_SHELL" in environ: return environ["PIAS_OPT_SHELL"] # Find all ca...
python
def get_default_shell(environ=None, fallback=_UNSPECIFIED): """Get the user's default shell program.""" if environ is None: environ = os.environ # If the option is specified in the environment, respect it. if "PIAS_OPT_SHELL" in environ: return environ["PIAS_OPT_SHELL"] # Find all ca...
[ "def", "get_default_shell", "(", "environ", "=", "None", ",", "fallback", "=", "_UNSPECIFIED", ")", ":", "if", "environ", "is", "None", ":", "environ", "=", "os", ".", "environ", "if", "\"PIAS_OPT_SHELL\"", "in", "environ", ":", "return", "environ", "[", "...
Get the user's default shell program.
[ "Get", "the", "user", "s", "default", "shell", "program", "." ]
897cc8e8ca920a4afb8597b4a345361065a3f108
https://github.com/rfk/playitagainsam/blob/897cc8e8ca920a4afb8597b4a345361065a3f108/playitagainsam/util.py#L134-L158
train
rfk/playitagainsam
playitagainsam/util.py
get_default_terminal
def get_default_terminal(environ=None, fallback=_UNSPECIFIED): """Get the user's default terminal program.""" if environ is None: environ = os.environ # If the option is specified in the environment, respect it. if "PIAS_OPT_TERMINAL" in environ: return environ["PIAS_OPT_TERMINAL"] #...
python
def get_default_terminal(environ=None, fallback=_UNSPECIFIED): """Get the user's default terminal program.""" if environ is None: environ = os.environ # If the option is specified in the environment, respect it. if "PIAS_OPT_TERMINAL" in environ: return environ["PIAS_OPT_TERMINAL"] #...
[ "def", "get_default_terminal", "(", "environ", "=", "None", ",", "fallback", "=", "_UNSPECIFIED", ")", ":", "if", "environ", "is", "None", ":", "environ", "=", "os", ".", "environ", "if", "\"PIAS_OPT_TERMINAL\"", "in", "environ", ":", "return", "environ", "[...
Get the user's default terminal program.
[ "Get", "the", "user", "s", "default", "terminal", "program", "." ]
897cc8e8ca920a4afb8597b4a345361065a3f108
https://github.com/rfk/playitagainsam/blob/897cc8e8ca920a4afb8597b4a345361065a3f108/playitagainsam/util.py#L161-L186
train
rfk/playitagainsam
playitagainsam/util.py
get_pias_script
def get_pias_script(environ=None): """Get the path to the playitagainsam command-line script.""" if os.path.basename(sys.argv[0]) == "pias": return sys.argv[0] filepath = find_executable("pias", environ) if filepath is not None: return filepath filepath = os.path.join(os.path.dirname...
python
def get_pias_script(environ=None): """Get the path to the playitagainsam command-line script.""" if os.path.basename(sys.argv[0]) == "pias": return sys.argv[0] filepath = find_executable("pias", environ) if filepath is not None: return filepath filepath = os.path.join(os.path.dirname...
[ "def", "get_pias_script", "(", "environ", "=", "None", ")", ":", "if", "os", ".", "path", ".", "basename", "(", "sys", ".", "argv", "[", "0", "]", ")", "==", "\"pias\"", ":", "return", "sys", ".", "argv", "[", "0", "]", "filepath", "=", "find_execu...
Get the path to the playitagainsam command-line script.
[ "Get", "the", "path", "to", "the", "playitagainsam", "command", "-", "line", "script", "." ]
897cc8e8ca920a4afb8597b4a345361065a3f108
https://github.com/rfk/playitagainsam/blob/897cc8e8ca920a4afb8597b4a345361065a3f108/playitagainsam/util.py#L189-L200
train
ponty/eagexp
eagexp/airwires.py
airwires
def airwires(board, showgui=0): 'search for airwires in eagle board' board = Path(board).expand().abspath() file_out = tempfile.NamedTemporaryFile(suffix='.txt', delete=0) file_out.close() ulp = ulp_templ.replace('FILE_NAME', file_out.name) file_ulp = tempfile.NamedTemporaryFile(suffix='.ulp'...
python
def airwires(board, showgui=0): 'search for airwires in eagle board' board = Path(board).expand().abspath() file_out = tempfile.NamedTemporaryFile(suffix='.txt', delete=0) file_out.close() ulp = ulp_templ.replace('FILE_NAME', file_out.name) file_ulp = tempfile.NamedTemporaryFile(suffix='.ulp'...
[ "def", "airwires", "(", "board", ",", "showgui", "=", "0", ")", ":", "'search for airwires in eagle board'", "board", "=", "Path", "(", "board", ")", ".", "expand", "(", ")", ".", "abspath", "(", ")", "file_out", "=", "tempfile", ".", "NamedTemporaryFile", ...
search for airwires in eagle board
[ "search", "for", "airwires", "in", "eagle", "board" ]
1dd5108c1d8112cc87d1bda64fa6c2784ccf0ff2
https://github.com/ponty/eagexp/blob/1dd5108c1d8112cc87d1bda64fa6c2784ccf0ff2/eagexp/airwires.py#L27-L51
train
SUNCAT-Center/CatHub
cathub/cathubsqlite.py
CathubSQLite._initialize
def _initialize(self, con): """Set up tables in SQL""" if self.initialized: return SQLite3Database()._initialize(con) # ASE db initialization cur = con.execute( 'SELECT COUNT(*) FROM sqlite_master WHERE name="reaction"') if cur.fetchone()[0] == 0: # n...
python
def _initialize(self, con): """Set up tables in SQL""" if self.initialized: return SQLite3Database()._initialize(con) # ASE db initialization cur = con.execute( 'SELECT COUNT(*) FROM sqlite_master WHERE name="reaction"') if cur.fetchone()[0] == 0: # n...
[ "def", "_initialize", "(", "self", ",", "con", ")", ":", "if", "self", ".", "initialized", ":", "return", "SQLite3Database", "(", ")", ".", "_initialize", "(", "con", ")", "cur", "=", "con", ".", "execute", "(", "'SELECT COUNT(*) FROM sqlite_master WHERE name=...
Set up tables in SQL
[ "Set", "up", "tables", "in", "SQL" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cathubsqlite.py#L118-L133
train
SUNCAT-Center/CatHub
cathub/cathubsqlite.py
CathubSQLite.write_publication
def write_publication(self, values): """ Write publication info to db Parameters ---------- values: dict with entries {'pub_id': str (short name for publication), 'authors': list of str () 'journal': str, 'volume': str, ...
python
def write_publication(self, values): """ Write publication info to db Parameters ---------- values: dict with entries {'pub_id': str (short name for publication), 'authors': list of str () 'journal': str, 'volume': str, ...
[ "def", "write_publication", "(", "self", ",", "values", ")", ":", "con", "=", "self", ".", "connection", "or", "self", ".", "_connect", "(", ")", "self", ".", "_initialize", "(", "con", ")", "cur", "=", "con", ".", "cursor", "(", ")", "values", "=", ...
Write publication info to db Parameters ---------- values: dict with entries {'pub_id': str (short name for publication), 'authors': list of str () 'journal': str, 'volume': str, 'number': str, 'pages': 'str' 'y...
[ "Write", "publication", "info", "to", "db" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cathubsqlite.py#L157-L201
train
SUNCAT-Center/CatHub
cathub/cathubsqlite.py
CathubSQLite.write
def write(self, values, data=None): """ Write reaction info to db file Parameters ---------- values: dict The values dict can include: {'chemical_composition': str (chemical composition on empty slab) , 'surface_composition': str (reduced chemical compos...
python
def write(self, values, data=None): """ Write reaction info to db file Parameters ---------- values: dict The values dict can include: {'chemical_composition': str (chemical composition on empty slab) , 'surface_composition': str (reduced chemical compos...
[ "def", "write", "(", "self", ",", "values", ",", "data", "=", "None", ")", ":", "con", "=", "self", ".", "connection", "or", "self", ".", "_connect", "(", ")", "self", ".", "_initialize", "(", "con", ")", "cur", "=", "con", ".", "cursor", "(", ")...
Write reaction info to db file Parameters ---------- values: dict The values dict can include: {'chemical_composition': str (chemical composition on empty slab) , 'surface_composition': str (reduced chemical composition or shortn...
[ "Write", "reaction", "info", "to", "db", "file" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cathubsqlite.py#L203-L291
train
SUNCAT-Center/CatHub
cathub/cathubsqlite.py
CathubSQLite.update
def update(self, id, values, key_names='all'): """ Update reaction info for a selected row Parameters ---------- id: int row integer values: dict See write() method for details key_names: list or 'all' list with name of columns...
python
def update(self, id, values, key_names='all'): """ Update reaction info for a selected row Parameters ---------- id: int row integer values: dict See write() method for details key_names: list or 'all' list with name of columns...
[ "def", "update", "(", "self", ",", "id", ",", "values", ",", "key_names", "=", "'all'", ")", ":", "con", "=", "self", ".", "connection", "or", "self", ".", "_connect", "(", ")", "self", ".", "_initialize", "(", "con", ")", "cur", "=", "con", ".", ...
Update reaction info for a selected row Parameters ---------- id: int row integer values: dict See write() method for details key_names: list or 'all' list with name of columns to update. Should match the keys-value pairs in values...
[ "Update", "reaction", "info", "for", "a", "selected", "row" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cathubsqlite.py#L293-L351
train
SUNCAT-Center/CatHub
cathub/cathubsqlite.py
CathubSQLite.get_last_id
def get_last_id(self, cur, table='reaction'): """ Get the id of the last written row in table Parameters ---------- cur: database connection().cursor() object table: str 'reaction', 'publication', 'publication_system', 'reaction_system' Returns: id ...
python
def get_last_id(self, cur, table='reaction'): """ Get the id of the last written row in table Parameters ---------- cur: database connection().cursor() object table: str 'reaction', 'publication', 'publication_system', 'reaction_system' Returns: id ...
[ "def", "get_last_id", "(", "self", ",", "cur", ",", "table", "=", "'reaction'", ")", ":", "cur", ".", "execute", "(", "\"SELECT seq FROM sqlite_sequence WHERE name='{0}'\"", ".", "format", "(", "table", ")", ")", "result", "=", "cur", ".", "fetchone", "(", "...
Get the id of the last written row in table Parameters ---------- cur: database connection().cursor() object table: str 'reaction', 'publication', 'publication_system', 'reaction_system' Returns: id
[ "Get", "the", "id", "of", "the", "last", "written", "row", "in", "table" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cathubsqlite.py#L353-L372
train
guaix-ucm/numina
numina/array/wavecalib/__main__.py
read_wv_master_from_array
def read_wv_master_from_array(master_table, lines='brightest', debugplot=0): """read arc line wavelengths from numpy array Parameters ---------- master_table : Numpy array Numpy array containing the wavelength database. lines : string Indicates which lines to read. For files with a ...
python
def read_wv_master_from_array(master_table, lines='brightest', debugplot=0): """read arc line wavelengths from numpy array Parameters ---------- master_table : Numpy array Numpy array containing the wavelength database. lines : string Indicates which lines to read. For files with a ...
[ "def", "read_wv_master_from_array", "(", "master_table", ",", "lines", "=", "'brightest'", ",", "debugplot", "=", "0", ")", ":", "if", "lines", "not", "in", "[", "'brightest'", ",", "'all'", "]", ":", "raise", "ValueError", "(", "'Unexpected lines='", "+", "...
read arc line wavelengths from numpy array Parameters ---------- master_table : Numpy array Numpy array containing the wavelength database. lines : string Indicates which lines to read. For files with a single column or two columns this parameter is irrelevant. For files with ...
[ "read", "arc", "line", "wavelengths", "from", "numpy", "array" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/__main__.py#L114-L164
train
guaix-ucm/numina
numina/array/wavecalib/__main__.py
read_wv_master_file
def read_wv_master_file(wv_master_file, lines='brightest', debugplot=0): """read arc line wavelengths from external file. Parameters ---------- wv_master_file : string File name of txt file containing the wavelength database. lines : string Indicates which lines to read. For files w...
python
def read_wv_master_file(wv_master_file, lines='brightest', debugplot=0): """read arc line wavelengths from external file. Parameters ---------- wv_master_file : string File name of txt file containing the wavelength database. lines : string Indicates which lines to read. For files w...
[ "def", "read_wv_master_file", "(", "wv_master_file", ",", "lines", "=", "'brightest'", ",", "debugplot", "=", "0", ")", ":", "if", "lines", "not", "in", "[", "'brightest'", ",", "'all'", "]", ":", "raise", "ValueError", "(", "'Unexpected lines='", "+", "str"...
read arc line wavelengths from external file. Parameters ---------- wv_master_file : string File name of txt file containing the wavelength database. lines : string Indicates which lines to read. For files with a single column or two columns this parameter is irrelevant. For fil...
[ "read", "arc", "line", "wavelengths", "from", "external", "file", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/__main__.py#L167-L205
train
guaix-ucm/numina
numina/array/wavecalib/__main__.py
wvcal_spectrum
def wvcal_spectrum(sp, fxpeaks, poly_degree_wfit, wv_master, wv_ini_search=None, wv_end_search=None, wvmin_useful=None, wvmax_useful=None, geometry=None, debugplot=0): """Execute wavelength calibration of a spectrum using fixed line peaks. Parameters ...
python
def wvcal_spectrum(sp, fxpeaks, poly_degree_wfit, wv_master, wv_ini_search=None, wv_end_search=None, wvmin_useful=None, wvmax_useful=None, geometry=None, debugplot=0): """Execute wavelength calibration of a spectrum using fixed line peaks. Parameters ...
[ "def", "wvcal_spectrum", "(", "sp", ",", "fxpeaks", ",", "poly_degree_wfit", ",", "wv_master", ",", "wv_ini_search", "=", "None", ",", "wv_end_search", "=", "None", ",", "wvmin_useful", "=", "None", ",", "wvmax_useful", "=", "None", ",", "geometry", "=", "No...
Execute wavelength calibration of a spectrum using fixed line peaks. Parameters ---------- sp : 1d numpy array Spectrum to be wavelength calibrated. fxpeaks : 1d numpy array Refined location of peaks in array index scale, i.e, from 0 to naxis1 - 1. The wavelength calibration is ...
[ "Execute", "wavelength", "calibration", "of", "a", "spectrum", "using", "fixed", "line", "peaks", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/__main__.py#L382-L499
train
chhantyal/sorl-thumbnail-async
thumbnail/__init__.py
get_thumbnail
def get_thumbnail(file_, name): """ get_thumbnail version that uses aliasses defined in THUMBNAIL_OPTIONS_DICT """ options = settings.OPTIONS_DICT[name] opt = copy(options) geometry = opt.pop('geometry') return original_get_thumbnail(file_, geometry, **opt)
python
def get_thumbnail(file_, name): """ get_thumbnail version that uses aliasses defined in THUMBNAIL_OPTIONS_DICT """ options = settings.OPTIONS_DICT[name] opt = copy(options) geometry = opt.pop('geometry') return original_get_thumbnail(file_, geometry, **opt)
[ "def", "get_thumbnail", "(", "file_", ",", "name", ")", ":", "options", "=", "settings", ".", "OPTIONS_DICT", "[", "name", "]", "opt", "=", "copy", "(", "options", ")", "geometry", "=", "opt", ".", "pop", "(", "'geometry'", ")", "return", "original_get_t...
get_thumbnail version that uses aliasses defined in THUMBNAIL_OPTIONS_DICT
[ "get_thumbnail", "version", "that", "uses", "aliasses", "defined", "in", "THUMBNAIL_OPTIONS_DICT" ]
023d20aac79090a691d563dc26f558bb87239811
https://github.com/chhantyal/sorl-thumbnail-async/blob/023d20aac79090a691d563dc26f558bb87239811/thumbnail/__init__.py#L9-L17
train
xflr6/bitsets
bitsets/__init__.py
bitset
def bitset(name, members, base=bases.BitSet, list=False, tuple=False): """Return a new bitset class with given name and members. Args: name: Name of the class to be created. members: Hashable sequence of allowed bitset members. base: Base class to derive the returned class from. ...
python
def bitset(name, members, base=bases.BitSet, list=False, tuple=False): """Return a new bitset class with given name and members. Args: name: Name of the class to be created. members: Hashable sequence of allowed bitset members. base: Base class to derive the returned class from. ...
[ "def", "bitset", "(", "name", ",", "members", ",", "base", "=", "bases", ".", "BitSet", ",", "list", "=", "False", ",", "tuple", "=", "False", ")", ":", "if", "not", "name", ":", "raise", "ValueError", "(", "'empty bitset name: %r'", "%", "name", ")", ...
Return a new bitset class with given name and members. Args: name: Name of the class to be created. members: Hashable sequence of allowed bitset members. base: Base class to derive the returned class from. list (bool): Include a custom class for bitset lists. tuple (bool): I...
[ "Return", "a", "new", "bitset", "class", "with", "given", "name", "and", "members", "." ]
ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf
https://github.com/xflr6/bitsets/blob/ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf/bitsets/__init__.py#L16-L51
train
guaix-ucm/numina
numina/array/interpolation.py
SteffenInterpolator._extrapolation
def _extrapolation(self, extrapolate): """Check permited values of extrapolation.""" modes = ['extrapolate', 'raise', 'const', 'border'] if extrapolate not in modes: msg = 'invalid extrapolation mode {}'.format(extrapolate) ...
python
def _extrapolation(self, extrapolate): """Check permited values of extrapolation.""" modes = ['extrapolate', 'raise', 'const', 'border'] if extrapolate not in modes: msg = 'invalid extrapolation mode {}'.format(extrapolate) ...
[ "def", "_extrapolation", "(", "self", ",", "extrapolate", ")", ":", "modes", "=", "[", "'extrapolate'", ",", "'raise'", ",", "'const'", ",", "'border'", "]", "if", "extrapolate", "not", "in", "modes", ":", "msg", "=", "'invalid extrapolation mode {}'", ".", ...
Check permited values of extrapolation.
[ "Check", "permited", "values", "of", "extrapolation", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/interpolation.py#L104-L120
train
guaix-ucm/numina
numina/array/interpolation.py
SteffenInterpolator._create_h
def _create_h(x): """increase between samples""" h = np.zeros_like(x) h[:-1] = x[1:] - x[:-1] # border h[-1] = h[-2] return h
python
def _create_h(x): """increase between samples""" h = np.zeros_like(x) h[:-1] = x[1:] - x[:-1] # border h[-1] = h[-2] return h
[ "def", "_create_h", "(", "x", ")", ":", "h", "=", "np", ".", "zeros_like", "(", "x", ")", "h", "[", ":", "-", "1", "]", "=", "x", "[", "1", ":", "]", "-", "x", "[", ":", "-", "1", "]", "h", "[", "-", "1", "]", "=", "h", "[", "-", "2...
increase between samples
[ "increase", "between", "samples" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/interpolation.py#L131-L137
train
guaix-ucm/numina
numina/array/interpolation.py
SteffenInterpolator._eval
def _eval(self, v, in_bounds, der): """Eval polynomial inside bounds.""" result = np.zeros_like(v, dtype='float') x_indices = np.searchsorted(self._x, v, side='rigth') ids = x_indices[in_bounds] - 1 u = v[in_bounds] - self._x[ids] result[in_bounds] = self._poly_eval(u, id...
python
def _eval(self, v, in_bounds, der): """Eval polynomial inside bounds.""" result = np.zeros_like(v, dtype='float') x_indices = np.searchsorted(self._x, v, side='rigth') ids = x_indices[in_bounds] - 1 u = v[in_bounds] - self._x[ids] result[in_bounds] = self._poly_eval(u, id...
[ "def", "_eval", "(", "self", ",", "v", ",", "in_bounds", ",", "der", ")", ":", "result", "=", "np", ".", "zeros_like", "(", "v", ",", "dtype", "=", "'float'", ")", "x_indices", "=", "np", ".", "searchsorted", "(", "self", ".", "_x", ",", "v", ","...
Eval polynomial inside bounds.
[ "Eval", "polynomial", "inside", "bounds", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/interpolation.py#L146-L153
train
guaix-ucm/numina
numina/array/interpolation.py
SteffenInterpolator._extrapolate
def _extrapolate(self, result, v, below_bounds, above_bounds, der): """Extrapolate result based on extrapolation mode.""" if self.extrapolate_mode == 'const': fill_b = fill_a = self.fill_value elif self.extrapolate_mode == 'border': fill_b = self._poly_eval(0, 0, der) ...
python
def _extrapolate(self, result, v, below_bounds, above_bounds, der): """Extrapolate result based on extrapolation mode.""" if self.extrapolate_mode == 'const': fill_b = fill_a = self.fill_value elif self.extrapolate_mode == 'border': fill_b = self._poly_eval(0, 0, der) ...
[ "def", "_extrapolate", "(", "self", ",", "result", ",", "v", ",", "below_bounds", ",", "above_bounds", ",", "der", ")", ":", "if", "self", ".", "extrapolate_mode", "==", "'const'", ":", "fill_b", "=", "fill_a", "=", "self", ".", "fill_value", "elif", "se...
Extrapolate result based on extrapolation mode.
[ "Extrapolate", "result", "based", "on", "extrapolation", "mode", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/interpolation.py#L155-L171
train
guaix-ucm/numina
numina/array/interpolation.py
SteffenInterpolator._check_bounds
def _check_bounds(self, v): """Check which values are out of bounds. Raises ------ ValueError: """ below_bounds = v < self._x[0] above_bounds = v > self._x[-1] if self.bounds_error and below_bounds.any(): raise ValueError("A value in x_new i...
python
def _check_bounds(self, v): """Check which values are out of bounds. Raises ------ ValueError: """ below_bounds = v < self._x[0] above_bounds = v > self._x[-1] if self.bounds_error and below_bounds.any(): raise ValueError("A value in x_new i...
[ "def", "_check_bounds", "(", "self", ",", "v", ")", ":", "below_bounds", "=", "v", "<", "self", ".", "_x", "[", "0", "]", "above_bounds", "=", "v", ">", "self", ".", "_x", "[", "-", "1", "]", "if", "self", ".", "bounds_error", "and", "below_bounds"...
Check which values are out of bounds. Raises ------ ValueError:
[ "Check", "which", "values", "are", "out", "of", "bounds", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/interpolation.py#L238-L256
train
guaix-ucm/numina
numina/array/wavecalib/crosscorrelation.py
filtmask
def filtmask(sp, fmin=0.02, fmax=0.15, debugplot=0): """Filter spectrum in Fourier space and apply cosine bell. Parameters ---------- sp : numpy array Spectrum to be filtered and masked. fmin : float Minimum frequency to be employed. fmax : float Maximum frequency to be ...
python
def filtmask(sp, fmin=0.02, fmax=0.15, debugplot=0): """Filter spectrum in Fourier space and apply cosine bell. Parameters ---------- sp : numpy array Spectrum to be filtered and masked. fmin : float Minimum frequency to be employed. fmax : float Maximum frequency to be ...
[ "def", "filtmask", "(", "sp", ",", "fmin", "=", "0.02", ",", "fmax", "=", "0.15", ",", "debugplot", "=", "0", ")", ":", "xf", "=", "np", ".", "fft", ".", "fftfreq", "(", "sp", ".", "size", ")", "yf", "=", "np", ".", "fft", ".", "fft", "(", ...
Filter spectrum in Fourier space and apply cosine bell. Parameters ---------- sp : numpy array Spectrum to be filtered and masked. fmin : float Minimum frequency to be employed. fmax : float Maximum frequency to be employed. debugplot : int Debugging level for me...
[ "Filter", "spectrum", "in", "Fourier", "space", "and", "apply", "cosine", "bell", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/crosscorrelation.py#L24-L80
train
guaix-ucm/numina
numina/array/wavecalib/crosscorrelation.py
cosinebell
def cosinebell(n, fraction): """Return a cosine bell spanning n pixels, masking a fraction of pixels Parameters ---------- n : int Number of pixels. fraction : float Length fraction over which the data will be masked. """ mask = np.ones(n) nmasked = int(fraction * n) ...
python
def cosinebell(n, fraction): """Return a cosine bell spanning n pixels, masking a fraction of pixels Parameters ---------- n : int Number of pixels. fraction : float Length fraction over which the data will be masked. """ mask = np.ones(n) nmasked = int(fraction * n) ...
[ "def", "cosinebell", "(", "n", ",", "fraction", ")", ":", "mask", "=", "np", ".", "ones", "(", "n", ")", "nmasked", "=", "int", "(", "fraction", "*", "n", ")", "for", "i", "in", "range", "(", "nmasked", ")", ":", "yval", "=", "0.5", "*", "(", ...
Return a cosine bell spanning n pixels, masking a fraction of pixels Parameters ---------- n : int Number of pixels. fraction : float Length fraction over which the data will be masked.
[ "Return", "a", "cosine", "bell", "spanning", "n", "pixels", "masking", "a", "fraction", "of", "pixels" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/crosscorrelation.py#L83-L102
train
guaix-ucm/numina
numina/array/wavecalib/crosscorrelation.py
convolve_comb_lines
def convolve_comb_lines(lines_wave, lines_flux, sigma, crpix1, crval1, cdelt1, naxis1): """Convolve a set of lines of known wavelengths and flux. Parameters ---------- lines_wave : array like Input array with wavelengths lines_flux : array like Input array wi...
python
def convolve_comb_lines(lines_wave, lines_flux, sigma, crpix1, crval1, cdelt1, naxis1): """Convolve a set of lines of known wavelengths and flux. Parameters ---------- lines_wave : array like Input array with wavelengths lines_flux : array like Input array wi...
[ "def", "convolve_comb_lines", "(", "lines_wave", ",", "lines_flux", ",", "sigma", ",", "crpix1", ",", "crval1", ",", "cdelt1", ",", "naxis1", ")", ":", "xwave", "=", "crval1", "+", "(", "np", ".", "arange", "(", "naxis1", ")", "+", "1", "-", "crpix1", ...
Convolve a set of lines of known wavelengths and flux. Parameters ---------- lines_wave : array like Input array with wavelengths lines_flux : array like Input array with fluxes sigma : float Sigma of the broadening gaussian to be applied. crpix1 : float CRPIX1 o...
[ "Convolve", "a", "set", "of", "lines", "of", "known", "wavelengths", "and", "flux", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/crosscorrelation.py#L105-L147
train
inspirehep/inspire-schemas
inspire_schemas/builders/references.py
_split_refextract_authors_str
def _split_refextract_authors_str(authors_str): """Extract author names out of refextract authors output.""" author_seq = (x.strip() for x in RE_SPLIT_AUTH.split(authors_str) if x) res = [] current = '' for author in author_seq: if not isinstance(author, six.text_type): author =...
python
def _split_refextract_authors_str(authors_str): """Extract author names out of refextract authors output.""" author_seq = (x.strip() for x in RE_SPLIT_AUTH.split(authors_str) if x) res = [] current = '' for author in author_seq: if not isinstance(author, six.text_type): author =...
[ "def", "_split_refextract_authors_str", "(", "authors_str", ")", ":", "author_seq", "=", "(", "x", ".", "strip", "(", ")", "for", "x", "in", "RE_SPLIT_AUTH", ".", "split", "(", "authors_str", ")", "if", "x", ")", "res", "=", "[", "]", "current", "=", "...
Extract author names out of refextract authors output.
[ "Extract", "author", "names", "out", "of", "refextract", "authors", "output", "." ]
34bc124b62fba565b6b40d1a3c15103a23a05edb
https://github.com/inspirehep/inspire-schemas/blob/34bc124b62fba565b6b40d1a3c15103a23a05edb/inspire_schemas/builders/references.py#L57-L97
train
inspirehep/inspire-schemas
inspire_schemas/builders/references.py
ReferenceBuilder._set_publication_info_field
def _set_publication_info_field(self, field_name, value): """Put a value in the publication info of the reference.""" self._ensure_reference_field('publication_info', {}) self.obj['reference']['publication_info'][field_name] = value
python
def _set_publication_info_field(self, field_name, value): """Put a value in the publication info of the reference.""" self._ensure_reference_field('publication_info', {}) self.obj['reference']['publication_info'][field_name] = value
[ "def", "_set_publication_info_field", "(", "self", ",", "field_name", ",", "value", ")", ":", "self", ".", "_ensure_reference_field", "(", "'publication_info'", ",", "{", "}", ")", "self", ".", "obj", "[", "'reference'", "]", "[", "'publication_info'", "]", "[...
Put a value in the publication info of the reference.
[ "Put", "a", "value", "in", "the", "publication", "info", "of", "the", "reference", "." ]
34bc124b62fba565b6b40d1a3c15103a23a05edb
https://github.com/inspirehep/inspire-schemas/blob/34bc124b62fba565b6b40d1a3c15103a23a05edb/inspire_schemas/builders/references.py#L148-L151
train
inspirehep/inspire-schemas
inspire_schemas/builders/references.py
ReferenceBuilder.set_pubnote
def set_pubnote(self, pubnote): """Parse pubnote and populate correct fields.""" if 'publication_info' in self.obj.get('reference', {}): self.add_misc(u'Additional pubnote: {}'.format(pubnote)) return if self.RE_VALID_PUBNOTE.match(pubnote): pubnote = split_p...
python
def set_pubnote(self, pubnote): """Parse pubnote and populate correct fields.""" if 'publication_info' in self.obj.get('reference', {}): self.add_misc(u'Additional pubnote: {}'.format(pubnote)) return if self.RE_VALID_PUBNOTE.match(pubnote): pubnote = split_p...
[ "def", "set_pubnote", "(", "self", ",", "pubnote", ")", ":", "if", "'publication_info'", "in", "self", ".", "obj", ".", "get", "(", "'reference'", ",", "{", "}", ")", ":", "self", ".", "add_misc", "(", "u'Additional pubnote: {}'", ".", "format", "(", "pu...
Parse pubnote and populate correct fields.
[ "Parse", "pubnote", "and", "populate", "correct", "fields", "." ]
34bc124b62fba565b6b40d1a3c15103a23a05edb
https://github.com/inspirehep/inspire-schemas/blob/34bc124b62fba565b6b40d1a3c15103a23a05edb/inspire_schemas/builders/references.py#L228-L239
train
inspirehep/inspire-schemas
inspire_schemas/builders/references.py
ReferenceBuilder._add_uid
def _add_uid(self, uid, skip_handle=False): """Add unique identifier in correct field. The ``skip_handle`` flag is used when adding a uid through the add_url function since urls can be easily confused with handle elements. """ # We might add None values from wherever. Kill them ...
python
def _add_uid(self, uid, skip_handle=False): """Add unique identifier in correct field. The ``skip_handle`` flag is used when adding a uid through the add_url function since urls can be easily confused with handle elements. """ # We might add None values from wherever. Kill them ...
[ "def", "_add_uid", "(", "self", ",", "uid", ",", "skip_handle", "=", "False", ")", ":", "uid", "=", "uid", "or", "''", "if", "is_arxiv", "(", "uid", ")", ":", "self", ".", "_ensure_reference_field", "(", "'arxiv_eprint'", ",", "normalize_arxiv", "(", "ui...
Add unique identifier in correct field. The ``skip_handle`` flag is used when adding a uid through the add_url function since urls can be easily confused with handle elements.
[ "Add", "unique", "identifier", "in", "correct", "field", "." ]
34bc124b62fba565b6b40d1a3c15103a23a05edb
https://github.com/inspirehep/inspire-schemas/blob/34bc124b62fba565b6b40d1a3c15103a23a05edb/inspire_schemas/builders/references.py#L271-L318
train
inspirehep/inspire-schemas
inspire_schemas/builders/references.py
ReferenceBuilder.set_page_artid
def set_page_artid(self, page_start=None, page_end=None, artid=None): """Add artid, start, end pages to publication info of a reference. Args: page_start(Optional[string]): value for the field page_start page_end(Optional[string]): value for the field page_end artid(...
python
def set_page_artid(self, page_start=None, page_end=None, artid=None): """Add artid, start, end pages to publication info of a reference. Args: page_start(Optional[string]): value for the field page_start page_end(Optional[string]): value for the field page_end artid(...
[ "def", "set_page_artid", "(", "self", ",", "page_start", "=", "None", ",", "page_end", "=", "None", ",", "artid", "=", "None", ")", ":", "if", "page_end", "and", "not", "page_start", ":", "raise", "ValueError", "(", "'End_page provided without start_page'", ")...
Add artid, start, end pages to publication info of a reference. Args: page_start(Optional[string]): value for the field page_start page_end(Optional[string]): value for the field page_end artid(Optional[string]): value for the field artid Raises: ValueEr...
[ "Add", "artid", "start", "end", "pages", "to", "publication", "info", "of", "a", "reference", "." ]
34bc124b62fba565b6b40d1a3c15103a23a05edb
https://github.com/inspirehep/inspire-schemas/blob/34bc124b62fba565b6b40d1a3c15103a23a05edb/inspire_schemas/builders/references.py#L336-L357
train
pylp/pylp
pylp/utils/glob.py
separate_globs
def separate_globs(globs): """Separate include and exclude globs.""" exclude = [] include = [] for path in globs: if path.startswith("!"): exclude.append(path[1:]) else: include.append(path) return (exclude, include)
python
def separate_globs(globs): """Separate include and exclude globs.""" exclude = [] include = [] for path in globs: if path.startswith("!"): exclude.append(path[1:]) else: include.append(path) return (exclude, include)
[ "def", "separate_globs", "(", "globs", ")", ":", "exclude", "=", "[", "]", "include", "=", "[", "]", "for", "path", "in", "globs", ":", "if", "path", ".", "startswith", "(", "\"!\"", ")", ":", "exclude", ".", "append", "(", "path", "[", "1", ":", ...
Separate include and exclude globs.
[ "Separate", "include", "and", "exclude", "globs", "." ]
7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4
https://github.com/pylp/pylp/blob/7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4/pylp/utils/glob.py#L15-L26
train
pylp/pylp
pylp/utils/glob.py
parse_glob
def parse_glob(path, included): """Parse a glob.""" files = glob.glob(path, recursive=True) array = [] for file in files: file = os.path.abspath(file) if file not in included: array.append(file) included += array return array
python
def parse_glob(path, included): """Parse a glob.""" files = glob.glob(path, recursive=True) array = [] for file in files: file = os.path.abspath(file) if file not in included: array.append(file) included += array return array
[ "def", "parse_glob", "(", "path", ",", "included", ")", ":", "files", "=", "glob", ".", "glob", "(", "path", ",", "recursive", "=", "True", ")", "array", "=", "[", "]", "for", "file", "in", "files", ":", "file", "=", "os", ".", "path", ".", "absp...
Parse a glob.
[ "Parse", "a", "glob", "." ]
7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4
https://github.com/pylp/pylp/blob/7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4/pylp/utils/glob.py#L30-L42
train
pylp/pylp
pylp/utils/glob.py
find_base
def find_base(path): """Find the base of a glob.""" result = _pattern.match(path) if result: base = result.group(0) else: base = "./" if base.endswith('/') or base.endswith('\\'): return os.path.abspath(base) else: return os.path.dirname(os.path.abspath(base))
python
def find_base(path): """Find the base of a glob.""" result = _pattern.match(path) if result: base = result.group(0) else: base = "./" if base.endswith('/') or base.endswith('\\'): return os.path.abspath(base) else: return os.path.dirname(os.path.abspath(base))
[ "def", "find_base", "(", "path", ")", ":", "result", "=", "_pattern", ".", "match", "(", "path", ")", "if", "result", ":", "base", "=", "result", ".", "group", "(", "0", ")", "else", ":", "base", "=", "\"./\"", "if", "base", ".", "endswith", "(", ...
Find the base of a glob.
[ "Find", "the", "base", "of", "a", "glob", "." ]
7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4
https://github.com/pylp/pylp/blob/7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4/pylp/utils/glob.py#L49-L61
train
guaix-ucm/numina
numina/array/wavecalib/check_wlcalib.py
fun_wv
def fun_wv(xchannel, crpix1, crval1, cdelt1): """Compute wavelengths from channels. The wavelength calibration is provided through the usual parameters CRPIX1, CRVAL1 and CDELT1. Parameters ---------- xchannel : numpy array Input channels where the wavelengths will be evaluated. cr...
python
def fun_wv(xchannel, crpix1, crval1, cdelt1): """Compute wavelengths from channels. The wavelength calibration is provided through the usual parameters CRPIX1, CRVAL1 and CDELT1. Parameters ---------- xchannel : numpy array Input channels where the wavelengths will be evaluated. cr...
[ "def", "fun_wv", "(", "xchannel", ",", "crpix1", ",", "crval1", ",", "cdelt1", ")", ":", "wv", "=", "crval1", "+", "(", "xchannel", "-", "crpix1", ")", "*", "cdelt1", "return", "wv" ]
Compute wavelengths from channels. The wavelength calibration is provided through the usual parameters CRPIX1, CRVAL1 and CDELT1. Parameters ---------- xchannel : numpy array Input channels where the wavelengths will be evaluated. crpix1: float CRPIX1 keyword. crval1: float...
[ "Compute", "wavelengths", "from", "channels", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/check_wlcalib.py#L109-L133
train
guaix-ucm/numina
numina/array/wavecalib/check_wlcalib.py
update_poly_wlcalib
def update_poly_wlcalib(coeff_ini, coeff_residuals, naxis1_ini, debugplot): """Update wavelength calibration polynomial using the residuals fit. The idea is to repeat the original fit using the information previously computed with the function check_wlcalib_sp() in this module. Parameters ----...
python
def update_poly_wlcalib(coeff_ini, coeff_residuals, naxis1_ini, debugplot): """Update wavelength calibration polynomial using the residuals fit. The idea is to repeat the original fit using the information previously computed with the function check_wlcalib_sp() in this module. Parameters ----...
[ "def", "update_poly_wlcalib", "(", "coeff_ini", ",", "coeff_residuals", ",", "naxis1_ini", ",", "debugplot", ")", ":", "coeff", "=", "[", "]", "for", "fdum", "in", "coeff_ini", ":", "coeff", ".", "append", "(", "fdum", ")", "poly_ini", "=", "np", ".", "p...
Update wavelength calibration polynomial using the residuals fit. The idea is to repeat the original fit using the information previously computed with the function check_wlcalib_sp() in this module. Parameters ---------- coeff_ini : array like (floats) Coefficients corresponding to th...
[ "Update", "wavelength", "calibration", "polynomial", "using", "the", "residuals", "fit", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/check_wlcalib.py#L620-L693
train
guaix-ucm/numina
numina/core/metarecipes.py
generate_docs
def generate_docs(klass): """Add documentation to generated classes""" import numina.types.datatype attrh = ('Attributes\n' '----------\n') doc = getattr(klass, '__doc__', None) if doc is None or doc == '': doc = "%s documentation." % klass.__name__ if len(klass.stored()...
python
def generate_docs(klass): """Add documentation to generated classes""" import numina.types.datatype attrh = ('Attributes\n' '----------\n') doc = getattr(klass, '__doc__', None) if doc is None or doc == '': doc = "%s documentation." % klass.__name__ if len(klass.stored()...
[ "def", "generate_docs", "(", "klass", ")", ":", "import", "numina", ".", "types", ".", "datatype", "attrh", "=", "(", "'Attributes\\n'", "'----------\\n'", ")", "doc", "=", "getattr", "(", "klass", ",", "'__doc__'", ",", "None", ")", "if", "doc", "is", "...
Add documentation to generated classes
[ "Add", "documentation", "to", "generated", "classes" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/metarecipes.py#L83-L129
train
xflr6/bitsets
bitsets/integers.py
reinverted
def reinverted(n, r): """Integer with reversed and inverted bits of n assuming bit length r. >>> reinverted(1, 6) 31 >>> [reinverted(x, 6) for x in [7, 11, 13, 14, 19, 21, 22, 25, 26, 28]] [7, 11, 19, 35, 13, 21, 37, 25, 41, 49] """ result = 0 r = 1 << (r - 1) while n: if n...
python
def reinverted(n, r): """Integer with reversed and inverted bits of n assuming bit length r. >>> reinverted(1, 6) 31 >>> [reinverted(x, 6) for x in [7, 11, 13, 14, 19, 21, 22, 25, 26, 28]] [7, 11, 19, 35, 13, 21, 37, 25, 41, 49] """ result = 0 r = 1 << (r - 1) while n: if n...
[ "def", "reinverted", "(", "n", ",", "r", ")", ":", "result", "=", "0", "r", "=", "1", "<<", "(", "r", "-", "1", ")", "while", "n", ":", "if", "not", "n", "&", "1", ":", "result", "|=", "r", "r", ">>=", "1", "n", ">>=", "1", "if", "r", "...
Integer with reversed and inverted bits of n assuming bit length r. >>> reinverted(1, 6) 31 >>> [reinverted(x, 6) for x in [7, 11, 13, 14, 19, 21, 22, 25, 26, 28]] [7, 11, 19, 35, 13, 21, 37, 25, 41, 49]
[ "Integer", "with", "reversed", "and", "inverted", "bits", "of", "n", "assuming", "bit", "length", "r", "." ]
ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf
https://github.com/xflr6/bitsets/blob/ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf/bitsets/integers.py#L35-L53
train
xflr6/bitsets
bitsets/integers.py
rank
def rank(items, sequence=string.ascii_lowercase): """Rank items from sequence in colexicographical order. >>> [rank(i) for i in ('', 'a', 'b', 'ab', 'c')] [0, 1, 2, 3, 4] >>> rank('spam') 299009 """ items = set(items) return sum(1 << i for i, s in enumerate(sequence) if s in items)
python
def rank(items, sequence=string.ascii_lowercase): """Rank items from sequence in colexicographical order. >>> [rank(i) for i in ('', 'a', 'b', 'ab', 'c')] [0, 1, 2, 3, 4] >>> rank('spam') 299009 """ items = set(items) return sum(1 << i for i, s in enumerate(sequence) if s in items)
[ "def", "rank", "(", "items", ",", "sequence", "=", "string", ".", "ascii_lowercase", ")", ":", "items", "=", "set", "(", "items", ")", "return", "sum", "(", "1", "<<", "i", "for", "i", ",", "s", "in", "enumerate", "(", "sequence", ")", "if", "s", ...
Rank items from sequence in colexicographical order. >>> [rank(i) for i in ('', 'a', 'b', 'ab', 'c')] [0, 1, 2, 3, 4] >>> rank('spam') 299009
[ "Rank", "items", "from", "sequence", "in", "colexicographical", "order", "." ]
ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf
https://github.com/xflr6/bitsets/blob/ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf/bitsets/integers.py#L56-L66
train
xflr6/bitsets
bitsets/integers.py
unrank
def unrank(n, sequence=string.ascii_lowercase): """Unrank n from sequence in colexicographical order. >>> [''.join(unrank(i)) for i in range(8)] ['', 'a', 'b', 'ab', 'c', 'ac', 'bc', 'abc'] >>> unrank(299009) ['a', 'm', 'p', 's'] """ return list(map(sequence.__getitem__, indexes(n)))
python
def unrank(n, sequence=string.ascii_lowercase): """Unrank n from sequence in colexicographical order. >>> [''.join(unrank(i)) for i in range(8)] ['', 'a', 'b', 'ab', 'c', 'ac', 'bc', 'abc'] >>> unrank(299009) ['a', 'm', 'p', 's'] """ return list(map(sequence.__getitem__, indexes(n)))
[ "def", "unrank", "(", "n", ",", "sequence", "=", "string", ".", "ascii_lowercase", ")", ":", "return", "list", "(", "map", "(", "sequence", ".", "__getitem__", ",", "indexes", "(", "n", ")", ")", ")" ]
Unrank n from sequence in colexicographical order. >>> [''.join(unrank(i)) for i in range(8)] ['', 'a', 'b', 'ab', 'c', 'ac', 'bc', 'abc'] >>> unrank(299009) ['a', 'm', 'p', 's']
[ "Unrank", "n", "from", "sequence", "in", "colexicographical", "order", "." ]
ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf
https://github.com/xflr6/bitsets/blob/ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf/bitsets/integers.py#L69-L78
train
guaix-ucm/numina
numina/array/background.py
background_estimator
def background_estimator(bdata): """Estimate the background in a 2D array""" crowded = False std = numpy.std(bdata) std0 = std mean = bdata.mean() while True: prep = len(bdata) numpy.clip(bdata, mean - 3 * std, mean + 3 * std, out=bdata) if prep == len(bdata): ...
python
def background_estimator(bdata): """Estimate the background in a 2D array""" crowded = False std = numpy.std(bdata) std0 = std mean = bdata.mean() while True: prep = len(bdata) numpy.clip(bdata, mean - 3 * std, mean + 3 * std, out=bdata) if prep == len(bdata): ...
[ "def", "background_estimator", "(", "bdata", ")", ":", "crowded", "=", "False", "std", "=", "numpy", ".", "std", "(", "bdata", ")", "std0", "=", "std", "mean", "=", "bdata", ".", "mean", "(", ")", "while", "True", ":", "prep", "=", "len", "(", "bda...
Estimate the background in a 2D array
[ "Estimate", "the", "background", "in", "a", "2D", "array" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/background.py#L37-L61
train
guaix-ucm/numina
numina/array/background.py
create_background_map
def create_background_map(data, bsx, bsy): """Create a background map with a given mesh size""" sx, sy = data.shape mx = sx // bsx my = sy // bsy comp = [] rms = [] # Rows sp = numpy.split(data, numpy.arange(bsx, sx, bsx), axis=0) for s in sp: # Columns rp = numpy.spl...
python
def create_background_map(data, bsx, bsy): """Create a background map with a given mesh size""" sx, sy = data.shape mx = sx // bsx my = sy // bsy comp = [] rms = [] # Rows sp = numpy.split(data, numpy.arange(bsx, sx, bsx), axis=0) for s in sp: # Columns rp = numpy.spl...
[ "def", "create_background_map", "(", "data", ",", "bsx", ",", "bsy", ")", ":", "sx", ",", "sy", "=", "data", ".", "shape", "mx", "=", "sx", "//", "bsx", "my", "=", "sy", "//", "bsy", "comp", "=", "[", "]", "rms", "=", "[", "]", "sp", "=", "nu...
Create a background map with a given mesh size
[ "Create", "a", "background", "map", "with", "a", "given", "mesh", "size" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/background.py#L64-L95
train
ckan/losser
losser/losser.py
_read_columns_file
def _read_columns_file(f): """Return the list of column queries read from the given JSON file. :param f: path to the file to read :type f: string :rtype: list of dicts """ try: columns = json.loads(open(f, 'r').read(), object_pairs_hook=collections.Ordered...
python
def _read_columns_file(f): """Return the list of column queries read from the given JSON file. :param f: path to the file to read :type f: string :rtype: list of dicts """ try: columns = json.loads(open(f, 'r').read(), object_pairs_hook=collections.Ordered...
[ "def", "_read_columns_file", "(", "f", ")", ":", "try", ":", "columns", "=", "json", ".", "loads", "(", "open", "(", "f", ",", "'r'", ")", ".", "read", "(", ")", ",", "object_pairs_hook", "=", "collections", ".", "OrderedDict", ")", "except", "Exceptio...
Return the list of column queries read from the given JSON file. :param f: path to the file to read :type f: string :rtype: list of dicts
[ "Return", "the", "list", "of", "column", "queries", "read", "from", "the", "given", "JSON", "file", "." ]
fd0832d9fa93cabe9ce9a9153dc923f2cf39cb5f
https://github.com/ckan/losser/blob/fd0832d9fa93cabe9ce9a9153dc923f2cf39cb5f/losser/losser.py#L23-L43
train
ckan/losser
losser/losser.py
_table_to_csv
def _table_to_csv(table_): """Return the given table converted to a CSV string. :param table: the table to convert :type table: list of OrderedDicts each with the same keys in the same order :rtype: UTF8-encoded, CSV-formatted string """ f = cStringIO.StringIO() try: _writ...
python
def _table_to_csv(table_): """Return the given table converted to a CSV string. :param table: the table to convert :type table: list of OrderedDicts each with the same keys in the same order :rtype: UTF8-encoded, CSV-formatted string """ f = cStringIO.StringIO() try: _writ...
[ "def", "_table_to_csv", "(", "table_", ")", ":", "f", "=", "cStringIO", ".", "StringIO", "(", ")", "try", ":", "_write_csv", "(", "f", ",", "table_", ")", "return", "f", ".", "getvalue", "(", ")", "finally", ":", "f", ".", "close", "(", ")" ]
Return the given table converted to a CSV string. :param table: the table to convert :type table: list of OrderedDicts each with the same keys in the same order :rtype: UTF8-encoded, CSV-formatted string
[ "Return", "the", "given", "table", "converted", "to", "a", "CSV", "string", "." ]
fd0832d9fa93cabe9ce9a9153dc923f2cf39cb5f
https://github.com/ckan/losser/blob/fd0832d9fa93cabe9ce9a9153dc923f2cf39cb5f/losser/losser.py#L76-L91
train
ckan/losser
losser/losser.py
table
def table(dicts, columns, csv=False, pretty=False): """Query a list of dicts with a list of queries and return a table. A "table" is a list of OrderedDicts each having the same keys in the same order. :param dicts: the list of input dicts :type dicts: list of dicts :param columns: the list of...
python
def table(dicts, columns, csv=False, pretty=False): """Query a list of dicts with a list of queries and return a table. A "table" is a list of OrderedDicts each having the same keys in the same order. :param dicts: the list of input dicts :type dicts: list of dicts :param columns: the list of...
[ "def", "table", "(", "dicts", ",", "columns", ",", "csv", "=", "False", ",", "pretty", "=", "False", ")", ":", "if", "isinstance", "(", "columns", ",", "basestring", ")", ":", "columns", "=", "_read_columns_file", "(", "columns", ")", "for", "column", ...
Query a list of dicts with a list of queries and return a table. A "table" is a list of OrderedDicts each having the same keys in the same order. :param dicts: the list of input dicts :type dicts: list of dicts :param columns: the list of column query dicts, or the path to a JSON file con...
[ "Query", "a", "list", "of", "dicts", "with", "a", "list", "of", "queries", "and", "return", "a", "table", "." ]
fd0832d9fa93cabe9ce9a9153dc923f2cf39cb5f
https://github.com/ckan/losser/blob/fd0832d9fa93cabe9ce9a9153dc923f2cf39cb5f/losser/losser.py#L94-L151
train
ckan/losser
losser/losser.py
query
def query(pattern_path, dict_, max_length=None, strip=False, case_sensitive=False, unique=False, deduplicate=False, string_transformations=None, hyperlink=False, return_multiple_columns=False): """Query the given dict with the given pattern path and return the result. The ``patter...
python
def query(pattern_path, dict_, max_length=None, strip=False, case_sensitive=False, unique=False, deduplicate=False, string_transformations=None, hyperlink=False, return_multiple_columns=False): """Query the given dict with the given pattern path and return the result. The ``patter...
[ "def", "query", "(", "pattern_path", ",", "dict_", ",", "max_length", "=", "None", ",", "strip", "=", "False", ",", "case_sensitive", "=", "False", ",", "unique", "=", "False", ",", "deduplicate", "=", "False", ",", "string_transformations", "=", "None", "...
Query the given dict with the given pattern path and return the result. The ``pattern_path`` is a either a single regular expression string or a list of regex strings that will be matched against the keys of the dict and its subdicts to find the value(s) in the dict to return. The returned result is e...
[ "Query", "the", "given", "dict", "with", "the", "given", "pattern", "path", "and", "return", "the", "result", "." ]
fd0832d9fa93cabe9ce9a9153dc923f2cf39cb5f
https://github.com/ckan/losser/blob/fd0832d9fa93cabe9ce9a9153dc923f2cf39cb5f/losser/losser.py#L154-L218
train
SUNCAT-Center/CatHub
cathub/query.py
get_reactions
def get_reactions(columns='all', n_results=20, write_db=False, **kwargs): """ Get reactions from server Give key value strings as arguments """ if write_db or columns == 'all': columns = all_columns['reactions'] queries = {} for key, value in kwargs.items(): key = map_column...
python
def get_reactions(columns='all', n_results=20, write_db=False, **kwargs): """ Get reactions from server Give key value strings as arguments """ if write_db or columns == 'all': columns = all_columns['reactions'] queries = {} for key, value in kwargs.items(): key = map_column...
[ "def", "get_reactions", "(", "columns", "=", "'all'", ",", "n_results", "=", "20", ",", "write_db", "=", "False", ",", "**", "kwargs", ")", ":", "if", "write_db", "or", "columns", "==", "'all'", ":", "columns", "=", "all_columns", "[", "'reactions'", "]"...
Get reactions from server Give key value strings as arguments
[ "Get", "reactions", "from", "server" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/query.py#L136-L231
train
guaix-ucm/numina
numina/user/baserun.py
create_recipe_file_logger
def create_recipe_file_logger(logger, logfile, logformat): """Redirect Recipe log messages to a file.""" recipe_formatter = logging.Formatter(logformat) fh = logging.FileHandler(logfile, mode='w') fh.setLevel(logging.DEBUG) fh.setFormatter(recipe_formatter) return fh
python
def create_recipe_file_logger(logger, logfile, logformat): """Redirect Recipe log messages to a file.""" recipe_formatter = logging.Formatter(logformat) fh = logging.FileHandler(logfile, mode='w') fh.setLevel(logging.DEBUG) fh.setFormatter(recipe_formatter) return fh
[ "def", "create_recipe_file_logger", "(", "logger", ",", "logfile", ",", "logformat", ")", ":", "recipe_formatter", "=", "logging", ".", "Formatter", "(", "logformat", ")", "fh", "=", "logging", ".", "FileHandler", "(", "logfile", ",", "mode", "=", "'w'", ")"...
Redirect Recipe log messages to a file.
[ "Redirect", "Recipe", "log", "messages", "to", "a", "file", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/user/baserun.py#L145-L151
train
guaix-ucm/numina
numina/user/baserun.py
run_recipe
def run_recipe(recipe, task, rinput, workenv, logger_control): """Recipe execution mode of numina.""" # Creating custom logger file recipe_logger = logging.getLogger(logger_control['default']) if logger_control['enabled']: logfile = os.path.join(workenv.resultsdir, logger_control['logfile']) ...
python
def run_recipe(recipe, task, rinput, workenv, logger_control): """Recipe execution mode of numina.""" # Creating custom logger file recipe_logger = logging.getLogger(logger_control['default']) if logger_control['enabled']: logfile = os.path.join(workenv.resultsdir, logger_control['logfile']) ...
[ "def", "run_recipe", "(", "recipe", ",", "task", ",", "rinput", ",", "workenv", ",", "logger_control", ")", ":", "recipe_logger", "=", "logging", ".", "getLogger", "(", "logger_control", "[", "'default'", "]", ")", "if", "logger_control", "[", "'enabled'", "...
Recipe execution mode of numina.
[ "Recipe", "execution", "mode", "of", "numina", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/user/baserun.py#L154-L175
train
guaix-ucm/numina
numina/user/baserun.py
run_recipe_timed
def run_recipe_timed(task, recipe, rinput): """Run the recipe and count the time it takes.""" _logger.info('running recipe') now1 = datetime.datetime.now() task.state = 1 task.time_start = now1 # result = recipe(rinput) _logger.info('result: %r', result) task.result = result # ...
python
def run_recipe_timed(task, recipe, rinput): """Run the recipe and count the time it takes.""" _logger.info('running recipe') now1 = datetime.datetime.now() task.state = 1 task.time_start = now1 # result = recipe(rinput) _logger.info('result: %r', result) task.result = result # ...
[ "def", "run_recipe_timed", "(", "task", ",", "recipe", ",", "rinput", ")", ":", "_logger", ".", "info", "(", "'running recipe'", ")", "now1", "=", "datetime", ".", "datetime", ".", "now", "(", ")", "task", ".", "state", "=", "1", "task", ".", "time_sta...
Run the recipe and count the time it takes.
[ "Run", "the", "recipe", "and", "count", "the", "time", "it", "takes", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/user/baserun.py#L178-L192
train
kyzima-spb/flask-pony
flask_pony/__init__.py
stop_db_session
def stop_db_session(exc=None): """Stops the last db_session""" # print('==> Stop session', type(exc)) if has_db_session(): exc_type = None tb = None if exc: exc_type, exc, tb = get_exc_info(exc) db_session.__exit__(exc_type, exc, tb)
python
def stop_db_session(exc=None): """Stops the last db_session""" # print('==> Stop session', type(exc)) if has_db_session(): exc_type = None tb = None if exc: exc_type, exc, tb = get_exc_info(exc) db_session.__exit__(exc_type, exc, tb)
[ "def", "stop_db_session", "(", "exc", "=", "None", ")", ":", "if", "has_db_session", "(", ")", ":", "exc_type", "=", "None", "tb", "=", "None", "if", "exc", ":", "exc_type", ",", "exc", ",", "tb", "=", "get_exc_info", "(", "exc", ")", "db_session", "...
Stops the last db_session
[ "Stops", "the", "last", "db_session" ]
6cf28d70b7ebf415d58fa138fcc70b8dd57432c7
https://github.com/kyzima-spb/flask-pony/blob/6cf28d70b7ebf415d58fa138fcc70b8dd57432c7/flask_pony/__init__.py#L47-L58
train
pylp/pylp
pylp/lib/dest.py
get_path
def get_path(dest, file, cwd = None): """Get the writing path of a file.""" if callable(dest): return dest(file) if not cwd: cwd = file.cwd if not os.path.isabs(dest): dest = os.path.join(cwd, dest) relative = os.path.relpath(file.path, file.base) return os.path.join(dest, relative)
python
def get_path(dest, file, cwd = None): """Get the writing path of a file.""" if callable(dest): return dest(file) if not cwd: cwd = file.cwd if not os.path.isabs(dest): dest = os.path.join(cwd, dest) relative = os.path.relpath(file.path, file.base) return os.path.join(dest, relative)
[ "def", "get_path", "(", "dest", ",", "file", ",", "cwd", "=", "None", ")", ":", "if", "callable", "(", "dest", ")", ":", "return", "dest", "(", "file", ")", "if", "not", "cwd", ":", "cwd", "=", "file", ".", "cwd", "if", "not", "os", ".", "path"...
Get the writing path of a file.
[ "Get", "the", "writing", "path", "of", "a", "file", "." ]
7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4
https://github.com/pylp/pylp/blob/7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4/pylp/lib/dest.py#L23-L34
train
pylp/pylp
pylp/lib/dest.py
write_file
def write_file(path, contents): """Write contents to a local file.""" os.makedirs(os.path.dirname(path), exist_ok=True) with open(path, "w") as file: file.write(contents)
python
def write_file(path, contents): """Write contents to a local file.""" os.makedirs(os.path.dirname(path), exist_ok=True) with open(path, "w") as file: file.write(contents)
[ "def", "write_file", "(", "path", ",", "contents", ")", ":", "os", ".", "makedirs", "(", "os", ".", "path", ".", "dirname", "(", "path", ")", ",", "exist_ok", "=", "True", ")", "with", "open", "(", "path", ",", "\"w\"", ")", "as", "file", ":", "f...
Write contents to a local file.
[ "Write", "contents", "to", "a", "local", "file", "." ]
7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4
https://github.com/pylp/pylp/blob/7ebaa55fbaf61cb8175f211dd41ef2928c22d4d4/pylp/lib/dest.py#L37-L41
train
SUNCAT-Center/CatHub
cathub/tools.py
get_pub_id
def get_pub_id(title, authors, year): "construct publication id" if len(title.split(' ')) > 1 \ and title.split(' ')[0].lower() in ['the', 'a']: _first_word = title.split(' ')[1].split('_')[0] else: _first_word = title.split(' ')[0].split('_')[0] pub_id = authors[0].split(',')[0]...
python
def get_pub_id(title, authors, year): "construct publication id" if len(title.split(' ')) > 1 \ and title.split(' ')[0].lower() in ['the', 'a']: _first_word = title.split(' ')[1].split('_')[0] else: _first_word = title.split(' ')[0].split('_')[0] pub_id = authors[0].split(',')[0]...
[ "def", "get_pub_id", "(", "title", ",", "authors", ",", "year", ")", ":", "\"construct publication id\"", "if", "len", "(", "title", ".", "split", "(", "' '", ")", ")", ">", "1", "and", "title", ".", "split", "(", "' '", ")", "[", "0", "]", ".", "l...
construct publication id
[ "construct", "publication", "id" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/tools.py#L4-L15
train
SUNCAT-Center/CatHub
cathub/tools.py
extract_atoms
def extract_atoms(molecule): """Return a string with all atoms in molecule""" if molecule == '': return molecule try: return float(molecule) except BaseException: pass atoms = '' if not molecule[0].isalpha(): i = 0 while not molecule[i].isalpha(): ...
python
def extract_atoms(molecule): """Return a string with all atoms in molecule""" if molecule == '': return molecule try: return float(molecule) except BaseException: pass atoms = '' if not molecule[0].isalpha(): i = 0 while not molecule[i].isalpha(): ...
[ "def", "extract_atoms", "(", "molecule", ")", ":", "if", "molecule", "==", "''", ":", "return", "molecule", "try", ":", "return", "float", "(", "molecule", ")", "except", "BaseException", ":", "pass", "atoms", "=", "''", "if", "not", "molecule", "[", "0"...
Return a string with all atoms in molecule
[ "Return", "a", "string", "with", "all", "atoms", "in", "molecule" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/tools.py#L18-L59
train
SUNCAT-Center/CatHub
cathub/tools.py
check_reaction
def check_reaction(reactants, products): """Check the stoichiometry and format of chemical reaction used for folder structure. list of reactants -> list of products """ reactant_list = [reactant.split('@')[0].strip( 'star').strip('gas') for reactant in reactants] product_list = [product....
python
def check_reaction(reactants, products): """Check the stoichiometry and format of chemical reaction used for folder structure. list of reactants -> list of products """ reactant_list = [reactant.split('@')[0].strip( 'star').strip('gas') for reactant in reactants] product_list = [product....
[ "def", "check_reaction", "(", "reactants", ",", "products", ")", ":", "reactant_list", "=", "[", "reactant", ".", "split", "(", "'@'", ")", "[", "0", "]", ".", "strip", "(", "'star'", ")", ".", "strip", "(", "'gas'", ")", "for", "reactant", "in", "re...
Check the stoichiometry and format of chemical reaction used for folder structure. list of reactants -> list of products
[ "Check", "the", "stoichiometry", "and", "format", "of", "chemical", "reaction", "used", "for", "folder", "structure", ".", "list", "of", "reactants", "-", ">", "list", "of", "products" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/tools.py#L75-L104
train
guaix-ucm/numina
numina/core/pipelineload.py
check_section
def check_section(node, section, keys=None): """Validate keys in a section""" if keys: for key in keys: if key not in node: raise ValueError('Missing key %r inside %r node' % (key, section))
python
def check_section(node, section, keys=None): """Validate keys in a section""" if keys: for key in keys: if key not in node: raise ValueError('Missing key %r inside %r node' % (key, section))
[ "def", "check_section", "(", "node", ",", "section", ",", "keys", "=", "None", ")", ":", "if", "keys", ":", "for", "key", "in", "keys", ":", "if", "key", "not", "in", "node", ":", "raise", "ValueError", "(", "'Missing key %r inside %r node'", "%", "(", ...
Validate keys in a section
[ "Validate", "keys", "in", "a", "section" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/pipelineload.py#L29-L34
train
guaix-ucm/numina
numina/core/pipelineload.py
drp_load
def drp_load(package, resource, confclass=None): """Load the DRPS from a resource file.""" data = pkgutil.get_data(package, resource) return drp_load_data(package, data, confclass=confclass)
python
def drp_load(package, resource, confclass=None): """Load the DRPS from a resource file.""" data = pkgutil.get_data(package, resource) return drp_load_data(package, data, confclass=confclass)
[ "def", "drp_load", "(", "package", ",", "resource", ",", "confclass", "=", "None", ")", ":", "data", "=", "pkgutil", ".", "get_data", "(", "package", ",", "resource", ")", "return", "drp_load_data", "(", "package", ",", "data", ",", "confclass", "=", "co...
Load the DRPS from a resource file.
[ "Load", "the", "DRPS", "from", "a", "resource", "file", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/pipelineload.py#L37-L40
train
guaix-ucm/numina
numina/core/pipelineload.py
drp_load_data
def drp_load_data(package, data, confclass=None): """Load the DRPS from data.""" drpdict = yaml.safe_load(data) ins = load_instrument(package, drpdict, confclass=confclass) if ins.version == 'undefined': pkg = importlib.import_module(package) ins.version = getattr(pkg, '__version__', 'un...
python
def drp_load_data(package, data, confclass=None): """Load the DRPS from data.""" drpdict = yaml.safe_load(data) ins = load_instrument(package, drpdict, confclass=confclass) if ins.version == 'undefined': pkg = importlib.import_module(package) ins.version = getattr(pkg, '__version__', 'un...
[ "def", "drp_load_data", "(", "package", ",", "data", ",", "confclass", "=", "None", ")", ":", "drpdict", "=", "yaml", ".", "safe_load", "(", "data", ")", "ins", "=", "load_instrument", "(", "package", ",", "drpdict", ",", "confclass", "=", "confclass", "...
Load the DRPS from data.
[ "Load", "the", "DRPS", "from", "data", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/pipelineload.py#L43-L50
train
guaix-ucm/numina
numina/core/pipelineload.py
load_modes
def load_modes(node): """Load all observing modes""" if isinstance(node, list): values = [load_mode(child) for child in node] keys = [mode.key for mode in values] return dict(zip(keys,values)) elif isinstance(node, dict): values = {key: load_mode(child) for key, child in node...
python
def load_modes(node): """Load all observing modes""" if isinstance(node, list): values = [load_mode(child) for child in node] keys = [mode.key for mode in values] return dict(zip(keys,values)) elif isinstance(node, dict): values = {key: load_mode(child) for key, child in node...
[ "def", "load_modes", "(", "node", ")", ":", "if", "isinstance", "(", "node", ",", "list", ")", ":", "values", "=", "[", "load_mode", "(", "child", ")", "for", "child", "in", "node", "]", "keys", "=", "[", "mode", ".", "key", "for", "mode", "in", ...
Load all observing modes
[ "Load", "all", "observing", "modes" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/pipelineload.py#L53-L63
train
guaix-ucm/numina
numina/core/pipelineload.py
load_mode
def load_mode(node): """Load one observing mdode""" obs_mode = ObservingMode() obs_mode.__dict__.update(node) # handle validator load_mode_validator(obs_mode, node) # handle builder load_mode_builder(obs_mode, node) # handle tagger: load_mode_tagger(obs_mode, node) return obs...
python
def load_mode(node): """Load one observing mdode""" obs_mode = ObservingMode() obs_mode.__dict__.update(node) # handle validator load_mode_validator(obs_mode, node) # handle builder load_mode_builder(obs_mode, node) # handle tagger: load_mode_tagger(obs_mode, node) return obs...
[ "def", "load_mode", "(", "node", ")", ":", "obs_mode", "=", "ObservingMode", "(", ")", "obs_mode", ".", "__dict__", ".", "update", "(", "node", ")", "load_mode_validator", "(", "obs_mode", ",", "node", ")", "load_mode_builder", "(", "obs_mode", ",", "node", ...
Load one observing mdode
[ "Load", "one", "observing", "mdode" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/pipelineload.py#L65-L79
train
guaix-ucm/numina
numina/core/pipelineload.py
load_mode_tagger
def load_mode_tagger(obs_mode, node): """Load observing mode OB tagger""" # handle tagger: ntagger = node.get('tagger') if ntagger is None: pass elif isinstance(ntagger, list): def full_tagger(obsres): return get_tags_from_full_ob(obsres, reqtags=ntagger) obs_...
python
def load_mode_tagger(obs_mode, node): """Load observing mode OB tagger""" # handle tagger: ntagger = node.get('tagger') if ntagger is None: pass elif isinstance(ntagger, list): def full_tagger(obsres): return get_tags_from_full_ob(obsres, reqtags=ntagger) obs_...
[ "def", "load_mode_tagger", "(", "obs_mode", ",", "node", ")", ":", "ntagger", "=", "node", ".", "get", "(", "'tagger'", ")", "if", "ntagger", "is", "None", ":", "pass", "elif", "isinstance", "(", "ntagger", ",", "list", ")", ":", "def", "full_tagger", ...
Load observing mode OB tagger
[ "Load", "observing", "mode", "OB", "tagger" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/pipelineload.py#L82-L102
train
guaix-ucm/numina
numina/core/pipelineload.py
load_mode_builder
def load_mode_builder(obs_mode, node): """Load observing mode OB builder""" # Check 'builder' and 'builder_options' nval1 = node.get('builder') if nval1 is not None: if isinstance(nval1, str): # override method newmethod = import_object(nval1) obs_mode.build...
python
def load_mode_builder(obs_mode, node): """Load observing mode OB builder""" # Check 'builder' and 'builder_options' nval1 = node.get('builder') if nval1 is not None: if isinstance(nval1, str): # override method newmethod = import_object(nval1) obs_mode.build...
[ "def", "load_mode_builder", "(", "obs_mode", ",", "node", ")", ":", "nval1", "=", "node", ".", "get", "(", "'builder'", ")", "if", "nval1", "is", "not", "None", ":", "if", "isinstance", "(", "nval1", ",", "str", ")", ":", "newmethod", "=", "import_obje...
Load observing mode OB builder
[ "Load", "observing", "mode", "OB", "builder" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/pipelineload.py#L105-L132
train
guaix-ucm/numina
numina/core/pipelineload.py
load_mode_validator
def load_mode_validator(obs_mode, node): """Load observing mode validator""" nval = node.get('validator') if nval is None: pass elif isinstance(nval, str): # load function obs_mode.validator = import_object(nval) else: raise TypeError('validator must be None or a st...
python
def load_mode_validator(obs_mode, node): """Load observing mode validator""" nval = node.get('validator') if nval is None: pass elif isinstance(nval, str): # load function obs_mode.validator = import_object(nval) else: raise TypeError('validator must be None or a st...
[ "def", "load_mode_validator", "(", "obs_mode", ",", "node", ")", ":", "nval", "=", "node", ".", "get", "(", "'validator'", ")", "if", "nval", "is", "None", ":", "pass", "elif", "isinstance", "(", "nval", ",", "str", ")", ":", "obs_mode", ".", "validato...
Load observing mode validator
[ "Load", "observing", "mode", "validator" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/pipelineload.py#L135-L148
train
xflr6/bitsets
bitsets/series.py
Series.frommembers
def frommembers(cls, members): """Series from iterable of member iterables.""" return cls.frombitsets(map(cls.BitSet.frommembers, members))
python
def frommembers(cls, members): """Series from iterable of member iterables.""" return cls.frombitsets(map(cls.BitSet.frommembers, members))
[ "def", "frommembers", "(", "cls", ",", "members", ")", ":", "return", "cls", ".", "frombitsets", "(", "map", "(", "cls", ".", "BitSet", ".", "frommembers", ",", "members", ")", ")" ]
Series from iterable of member iterables.
[ "Series", "from", "iterable", "of", "member", "iterables", "." ]
ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf
https://github.com/xflr6/bitsets/blob/ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf/bitsets/series.py#L18-L20
train
xflr6/bitsets
bitsets/series.py
Series.frombools
def frombools(cls, bools): """Series from iterable of boolean evaluable iterables.""" return cls.frombitsets(map(cls.BitSet.frombools, bools))
python
def frombools(cls, bools): """Series from iterable of boolean evaluable iterables.""" return cls.frombitsets(map(cls.BitSet.frombools, bools))
[ "def", "frombools", "(", "cls", ",", "bools", ")", ":", "return", "cls", ".", "frombitsets", "(", "map", "(", "cls", ".", "BitSet", ".", "frombools", ",", "bools", ")", ")" ]
Series from iterable of boolean evaluable iterables.
[ "Series", "from", "iterable", "of", "boolean", "evaluable", "iterables", "." ]
ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf
https://github.com/xflr6/bitsets/blob/ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf/bitsets/series.py#L23-L25
train
xflr6/bitsets
bitsets/series.py
Series.frombits
def frombits(cls, bits): """Series from binary string arguments.""" return cls.frombitsets(map(cls.BitSet.frombits, bits))
python
def frombits(cls, bits): """Series from binary string arguments.""" return cls.frombitsets(map(cls.BitSet.frombits, bits))
[ "def", "frombits", "(", "cls", ",", "bits", ")", ":", "return", "cls", ".", "frombitsets", "(", "map", "(", "cls", ".", "BitSet", ".", "frombits", ",", "bits", ")", ")" ]
Series from binary string arguments.
[ "Series", "from", "binary", "string", "arguments", "." ]
ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf
https://github.com/xflr6/bitsets/blob/ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf/bitsets/series.py#L28-L30
train
xflr6/bitsets
bitsets/series.py
Series.fromints
def fromints(cls, ints): """Series from integer rank arguments.""" return cls.frombitsets(map(cls.BitSet.fromint, ints))
python
def fromints(cls, ints): """Series from integer rank arguments.""" return cls.frombitsets(map(cls.BitSet.fromint, ints))
[ "def", "fromints", "(", "cls", ",", "ints", ")", ":", "return", "cls", ".", "frombitsets", "(", "map", "(", "cls", ".", "BitSet", ".", "fromint", ",", "ints", ")", ")" ]
Series from integer rank arguments.
[ "Series", "from", "integer", "rank", "arguments", "." ]
ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf
https://github.com/xflr6/bitsets/blob/ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf/bitsets/series.py#L33-L35
train
xflr6/bitsets
bitsets/series.py
Series.index_sets
def index_sets(self, as_set=False): """Return the series as list of index set tuples.""" indexes = frozenset if as_set else tuple return [indexes(b.iter_set()) for b in self]
python
def index_sets(self, as_set=False): """Return the series as list of index set tuples.""" indexes = frozenset if as_set else tuple return [indexes(b.iter_set()) for b in self]
[ "def", "index_sets", "(", "self", ",", "as_set", "=", "False", ")", ":", "indexes", "=", "frozenset", "if", "as_set", "else", "tuple", "return", "[", "indexes", "(", "b", ".", "iter_set", "(", ")", ")", "for", "b", "in", "self", "]" ]
Return the series as list of index set tuples.
[ "Return", "the", "series", "as", "list", "of", "index", "set", "tuples", "." ]
ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf
https://github.com/xflr6/bitsets/blob/ddcfe17e7c7a11f71f1c6764b2cecf7db05d9cdf/bitsets/series.py#L57-L60
train
arkottke/pysra
pysra/output.py
append_arrays
def append_arrays(many, single): """Append an array to another padding with NaNs for constant length. Parameters ---------- many : array_like of rank (j, k) values appended to a copy of this array. This may be a 1-D or 2-D array. single : array_like of rank l values to appen...
python
def append_arrays(many, single): """Append an array to another padding with NaNs for constant length. Parameters ---------- many : array_like of rank (j, k) values appended to a copy of this array. This may be a 1-D or 2-D array. single : array_like of rank l values to appen...
[ "def", "append_arrays", "(", "many", ",", "single", ")", ":", "assert", "np", ".", "ndim", "(", "single", ")", "==", "1", "diff", "=", "single", ".", "shape", "[", "0", "]", "-", "many", ".", "shape", "[", "0", "]", "if", "diff", "<", "0", ":",...
Append an array to another padding with NaNs for constant length. Parameters ---------- many : array_like of rank (j, k) values appended to a copy of this array. This may be a 1-D or 2-D array. single : array_like of rank l values to append. This should be a 1-D array. Retu...
[ "Append", "an", "array", "to", "another", "padding", "with", "NaNs", "for", "constant", "length", "." ]
c72fd389d6c15203c0c00728ac00f101bae6369d
https://github.com/arkottke/pysra/blob/c72fd389d6c15203c0c00728ac00f101bae6369d/pysra/output.py#L46-L74
train
arkottke/pysra
pysra/output.py
RatioBasedOutput._get_locations
def _get_locations(self, calc): """Locate locations within the profile.""" return (self._location_in(calc.profile), self._location_out(calc.profile))
python
def _get_locations(self, calc): """Locate locations within the profile.""" return (self._location_in(calc.profile), self._location_out(calc.profile))
[ "def", "_get_locations", "(", "self", ",", "calc", ")", ":", "return", "(", "self", ".", "_location_in", "(", "calc", ".", "profile", ")", ",", "self", ".", "_location_out", "(", "calc", ".", "profile", ")", ")" ]
Locate locations within the profile.
[ "Locate", "locations", "within", "the", "profile", "." ]
c72fd389d6c15203c0c00728ac00f101bae6369d
https://github.com/arkottke/pysra/blob/c72fd389d6c15203c0c00728ac00f101bae6369d/pysra/output.py#L363-L366
train
guaix-ucm/numina
numina/array/wavecalib/fix_pix_borders.py
find_pix_borders
def find_pix_borders(sp, sought_value): """Find useful region of a given spectrum Detemine the useful region of a given spectrum by skipping the initial (final) pixels with values equal to 'sought_value'. Parameters ---------- sp : 1D numpy array Input spectrum. sought_value : int,...
python
def find_pix_borders(sp, sought_value): """Find useful region of a given spectrum Detemine the useful region of a given spectrum by skipping the initial (final) pixels with values equal to 'sought_value'. Parameters ---------- sp : 1D numpy array Input spectrum. sought_value : int,...
[ "def", "find_pix_borders", "(", "sp", ",", "sought_value", ")", ":", "if", "sp", ".", "ndim", "!=", "1", ":", "raise", "ValueError", "(", "'Unexpected number of dimensions:'", ",", "sp", ".", "ndim", ")", "naxis1", "=", "len", "(", "sp", ")", "jborder_min"...
Find useful region of a given spectrum Detemine the useful region of a given spectrum by skipping the initial (final) pixels with values equal to 'sought_value'. Parameters ---------- sp : 1D numpy array Input spectrum. sought_value : int, float, bool Pixel value that indicate ...
[ "Find", "useful", "region", "of", "a", "given", "spectrum" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/fix_pix_borders.py#L16-L59
train
guaix-ucm/numina
numina/array/wavecalib/fix_pix_borders.py
fix_pix_borders
def fix_pix_borders(image2d, nreplace, sought_value, replacement_value): """Replace a few pixels at the borders of each spectrum. Set to 'replacement_value' 'nreplace' pixels at the beginning (at the end) of each spectrum just after (before) the spectrum value changes from (to) 'sought_value', as seen ...
python
def fix_pix_borders(image2d, nreplace, sought_value, replacement_value): """Replace a few pixels at the borders of each spectrum. Set to 'replacement_value' 'nreplace' pixels at the beginning (at the end) of each spectrum just after (before) the spectrum value changes from (to) 'sought_value', as seen ...
[ "def", "fix_pix_borders", "(", "image2d", ",", "nreplace", ",", "sought_value", ",", "replacement_value", ")", ":", "naxis2", ",", "naxis1", "=", "image2d", ".", "shape", "for", "i", "in", "range", "(", "naxis2", ")", ":", "jborder_min", ",", "jborder_max", ...
Replace a few pixels at the borders of each spectrum. Set to 'replacement_value' 'nreplace' pixels at the beginning (at the end) of each spectrum just after (before) the spectrum value changes from (to) 'sought_value', as seen from the image borders. Parameters ---------- image2d : numpy array...
[ "Replace", "a", "few", "pixels", "at", "the", "borders", "of", "each", "spectrum", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/fix_pix_borders.py#L62-L108
train
guaix-ucm/numina
numina/array/wavecalib/fix_pix_borders.py
define_mask_borders
def define_mask_borders(image2d, sought_value, nadditional=0): """Generate mask avoiding undesired values at the borders. Set to True image borders with values equal to 'sought_value' Parameters ---------- image2d : numpy array Initial 2D image. sought_value : int, float, bool ...
python
def define_mask_borders(image2d, sought_value, nadditional=0): """Generate mask avoiding undesired values at the borders. Set to True image borders with values equal to 'sought_value' Parameters ---------- image2d : numpy array Initial 2D image. sought_value : int, float, bool ...
[ "def", "define_mask_borders", "(", "image2d", ",", "sought_value", ",", "nadditional", "=", "0", ")", ":", "naxis2", ",", "naxis1", "=", "image2d", ".", "shape", "mask2d", "=", "np", ".", "zeros", "(", "(", "naxis2", ",", "naxis1", ")", ",", "dtype", "...
Generate mask avoiding undesired values at the borders. Set to True image borders with values equal to 'sought_value' Parameters ---------- image2d : numpy array Initial 2D image. sought_value : int, float, bool Pixel value that indicates missing data in the spectrum. naddition...
[ "Generate", "mask", "avoiding", "undesired", "values", "at", "the", "borders", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/fix_pix_borders.py#L111-L161
train
guaix-ucm/numina
numina/array/wavecalib/solutionarc.py
SolutionArcCalibration.update_features
def update_features(self, poly): """Evaluate wavelength at xpos using the provided polynomial.""" for feature in self.features: feature.wavelength = poly(feature.xpos)
python
def update_features(self, poly): """Evaluate wavelength at xpos using the provided polynomial.""" for feature in self.features: feature.wavelength = poly(feature.xpos)
[ "def", "update_features", "(", "self", ",", "poly", ")", ":", "for", "feature", "in", "self", ".", "features", ":", "feature", ".", "wavelength", "=", "poly", "(", "feature", ".", "xpos", ")" ]
Evaluate wavelength at xpos using the provided polynomial.
[ "Evaluate", "wavelength", "at", "xpos", "using", "the", "provided", "polynomial", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/wavecalib/solutionarc.py#L203-L207
train
guaix-ucm/numina
numina/core/oresult.py
dataframe_from_list
def dataframe_from_list(values): """Build a DataFrame object from a list.""" if(isinstance(values, six.string_types)): return DataFrame(filename=values) elif(isinstance(values, fits.HDUList)): return DataFrame(frame=values) else: return None
python
def dataframe_from_list(values): """Build a DataFrame object from a list.""" if(isinstance(values, six.string_types)): return DataFrame(filename=values) elif(isinstance(values, fits.HDUList)): return DataFrame(frame=values) else: return None
[ "def", "dataframe_from_list", "(", "values", ")", ":", "if", "(", "isinstance", "(", "values", ",", "six", ".", "string_types", ")", ")", ":", "return", "DataFrame", "(", "filename", "=", "values", ")", "elif", "(", "isinstance", "(", "values", ",", "fit...
Build a DataFrame object from a list.
[ "Build", "a", "DataFrame", "object", "from", "a", "list", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/oresult.py#L86-L93
train
guaix-ucm/numina
numina/core/oresult.py
obsres_from_dict
def obsres_from_dict(values): """Build a ObservationResult object from a dictionary.""" obsres = ObservationResult() ikey = 'frames' # Workaround if 'images' in values: ikey = 'images' obsres.id = values.get('id', 1) obsres.mode = values['mode'] obsres.instrument = values['ins...
python
def obsres_from_dict(values): """Build a ObservationResult object from a dictionary.""" obsres = ObservationResult() ikey = 'frames' # Workaround if 'images' in values: ikey = 'images' obsres.id = values.get('id', 1) obsres.mode = values['mode'] obsres.instrument = values['ins...
[ "def", "obsres_from_dict", "(", "values", ")", ":", "obsres", "=", "ObservationResult", "(", ")", "ikey", "=", "'frames'", "if", "'images'", "in", "values", ":", "ikey", "=", "'images'", "obsres", ".", "id", "=", "values", ".", "get", "(", "'id'", ",", ...
Build a ObservationResult object from a dictionary.
[ "Build", "a", "ObservationResult", "object", "from", "a", "dictionary", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/oresult.py#L96-L120
train
guaix-ucm/numina
numina/core/oresult.py
ObservationResult.get_sample_frame
def get_sample_frame(self): """Return first available image in observation result""" for frame in self.frames: return frame.open() for res in self.results.values(): return res.open() return None
python
def get_sample_frame(self): """Return first available image in observation result""" for frame in self.frames: return frame.open() for res in self.results.values(): return res.open() return None
[ "def", "get_sample_frame", "(", "self", ")", ":", "for", "frame", "in", "self", ".", "frames", ":", "return", "frame", ".", "open", "(", ")", "for", "res", "in", "self", ".", "results", ".", "values", "(", ")", ":", "return", "res", ".", "open", "(...
Return first available image in observation result
[ "Return", "first", "available", "image", "in", "observation", "result" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/core/oresult.py#L75-L83
train
guaix-ucm/numina
numina/array/nirproc.py
fowler_array
def fowler_array(fowlerdata, ti=0.0, ts=0.0, gain=1.0, ron=1.0, badpixels=None, dtype='float64', saturation=65631, blank=0, normalize=False): """Loop over the first axis applying Fowler processing. *fowlerdata* is assumed to be a 3D numpy.ndarray containing the result of a...
python
def fowler_array(fowlerdata, ti=0.0, ts=0.0, gain=1.0, ron=1.0, badpixels=None, dtype='float64', saturation=65631, blank=0, normalize=False): """Loop over the first axis applying Fowler processing. *fowlerdata* is assumed to be a 3D numpy.ndarray containing the result of a...
[ "def", "fowler_array", "(", "fowlerdata", ",", "ti", "=", "0.0", ",", "ts", "=", "0.0", ",", "gain", "=", "1.0", ",", "ron", "=", "1.0", ",", "badpixels", "=", "None", ",", "dtype", "=", "'float64'", ",", "saturation", "=", "65631", ",", "blank", "...
Loop over the first axis applying Fowler processing. *fowlerdata* is assumed to be a 3D numpy.ndarray containing the result of a nIR observation in Fowler mode (Fowler and Gatley 1991). The shape of the array must be of the form 2N_p x M x N, with N_p being the number of pairs in Fowler mode. The ...
[ "Loop", "over", "the", "first", "axis", "applying", "Fowler", "processing", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/nirproc.py#L18-L132
train
guaix-ucm/numina
numina/array/nirproc.py
ramp_array
def ramp_array(rampdata, ti, gain=1.0, ron=1.0, badpixels=None, dtype='float64', saturation=65631, blank=0, nsig=None, normalize=False): """Loop over the first axis applying ramp processing. *rampdata* is assumed to be a 3D numpy.ndarray containing the result of a nIR observat...
python
def ramp_array(rampdata, ti, gain=1.0, ron=1.0, badpixels=None, dtype='float64', saturation=65631, blank=0, nsig=None, normalize=False): """Loop over the first axis applying ramp processing. *rampdata* is assumed to be a 3D numpy.ndarray containing the result of a nIR observat...
[ "def", "ramp_array", "(", "rampdata", ",", "ti", ",", "gain", "=", "1.0", ",", "ron", "=", "1.0", ",", "badpixels", "=", "None", ",", "dtype", "=", "'float64'", ",", "saturation", "=", "65631", ",", "blank", "=", "0", ",", "nsig", "=", "None", ",",...
Loop over the first axis applying ramp processing. *rampdata* is assumed to be a 3D numpy.ndarray containing the result of a nIR observation in folow-up-the-ramp mode. The shape of the array must be of the form N_s x M x N, with N_s being the number of samples. :param fowlerdata: Convertible to a ...
[ "Loop", "over", "the", "first", "axis", "applying", "ramp", "processing", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/nirproc.py#L135-L202
train
ponty/eagexp
eagexp/cmd.py
accept_freeware_license
def accept_freeware_license(): '''different Eagle versions need differnt TAB count. 6.5 -> 2 6.6 -> 3 7.4 -> 2 ''' ntab = 3 if version().startswith('6.6.') else 2 for _ in range(ntab): EasyProcess('xdotool key KP_Tab').call() time.sleep(0.5) EasyProcess('xdotool key KP...
python
def accept_freeware_license(): '''different Eagle versions need differnt TAB count. 6.5 -> 2 6.6 -> 3 7.4 -> 2 ''' ntab = 3 if version().startswith('6.6.') else 2 for _ in range(ntab): EasyProcess('xdotool key KP_Tab').call() time.sleep(0.5) EasyProcess('xdotool key KP...
[ "def", "accept_freeware_license", "(", ")", ":", "ntab", "=", "3", "if", "version", "(", ")", ".", "startswith", "(", "'6.6.'", ")", "else", "2", "for", "_", "in", "range", "(", "ntab", ")", ":", "EasyProcess", "(", "'xdotool key KP_Tab'", ")", ".", "c...
different Eagle versions need differnt TAB count. 6.5 -> 2 6.6 -> 3 7.4 -> 2
[ "different", "Eagle", "versions", "need", "differnt", "TAB", "count", ".", "6", ".", "5", "-", ">", "2", "6", ".", "6", "-", ">", "3", "7", ".", "4", "-", ">", "2" ]
1dd5108c1d8112cc87d1bda64fa6c2784ccf0ff2
https://github.com/ponty/eagexp/blob/1dd5108c1d8112cc87d1bda64fa6c2784ccf0ff2/eagexp/cmd.py#L20-L35
train
guaix-ucm/numina
numina/util/fqn.py
fully_qualified_name
def fully_qualified_name(obj, sep='.'): """Return fully qualified name from object""" if inspect.isclass(obj): return obj.__module__ + sep + obj.__name__ else: return obj.__module__ + sep + obj.__class__.__name__
python
def fully_qualified_name(obj, sep='.'): """Return fully qualified name from object""" if inspect.isclass(obj): return obj.__module__ + sep + obj.__name__ else: return obj.__module__ + sep + obj.__class__.__name__
[ "def", "fully_qualified_name", "(", "obj", ",", "sep", "=", "'.'", ")", ":", "if", "inspect", ".", "isclass", "(", "obj", ")", ":", "return", "obj", ".", "__module__", "+", "sep", "+", "obj", ".", "__name__", "else", ":", "return", "obj", ".", "__mod...
Return fully qualified name from object
[ "Return", "fully", "qualified", "name", "from", "object" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/util/fqn.py#L16-L21
train
guaix-ucm/numina
numina/array/numsplines.py
fun_residuals
def fun_residuals(params, xnor, ynor, w, bbox, k, ext): """Compute fit residuals""" spl = LSQUnivariateSpline( x=xnor, y=ynor, t=[item.value for item in params.values()], w=w, bbox=bbox, k=k, ext=ext, check_finite=False ) return spl.get_re...
python
def fun_residuals(params, xnor, ynor, w, bbox, k, ext): """Compute fit residuals""" spl = LSQUnivariateSpline( x=xnor, y=ynor, t=[item.value for item in params.values()], w=w, bbox=bbox, k=k, ext=ext, check_finite=False ) return spl.get_re...
[ "def", "fun_residuals", "(", "params", ",", "xnor", ",", "ynor", ",", "w", ",", "bbox", ",", "k", ",", "ext", ")", ":", "spl", "=", "LSQUnivariateSpline", "(", "x", "=", "xnor", ",", "y", "=", "ynor", ",", "t", "=", "[", "item", ".", "value", "...
Compute fit residuals
[ "Compute", "fit", "residuals" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/numsplines.py#L17-L30
train
guaix-ucm/numina
numina/user/clirundal.py
parse_as_yaml
def parse_as_yaml(strdict): """Parse a dictionary of strings as if yaml reads it""" interm = "" for key, val in strdict.items(): interm = "%s: %s, %s" % (key, val, interm) fin = '{%s}' % interm return yaml.load(fin)
python
def parse_as_yaml(strdict): """Parse a dictionary of strings as if yaml reads it""" interm = "" for key, val in strdict.items(): interm = "%s: %s, %s" % (key, val, interm) fin = '{%s}' % interm return yaml.load(fin)
[ "def", "parse_as_yaml", "(", "strdict", ")", ":", "interm", "=", "\"\"", "for", "key", ",", "val", "in", "strdict", ".", "items", "(", ")", ":", "interm", "=", "\"%s: %s, %s\"", "%", "(", "key", ",", "val", ",", "interm", ")", "fin", "=", "'{%s}'", ...
Parse a dictionary of strings as if yaml reads it
[ "Parse", "a", "dictionary", "of", "strings", "as", "if", "yaml", "reads", "it" ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/user/clirundal.py#L245-L252
train
SUNCAT-Center/CatHub
cathub/cli.py
folder2db
def folder2db(folder_name, debug, energy_limit, skip_folders, goto_reaction): """Read folder and collect data in local sqlite3 database""" folder_name = folder_name.rstrip('/') skip = [] for s in skip_folders.split(', '): for sk in s.split(','): skip.append(sk) pub...
python
def folder2db(folder_name, debug, energy_limit, skip_folders, goto_reaction): """Read folder and collect data in local sqlite3 database""" folder_name = folder_name.rstrip('/') skip = [] for s in skip_folders.split(', '): for sk in s.split(','): skip.append(sk) pub...
[ "def", "folder2db", "(", "folder_name", ",", "debug", ",", "energy_limit", ",", "skip_folders", ",", "goto_reaction", ")", ":", "folder_name", "=", "folder_name", ".", "rstrip", "(", "'/'", ")", "skip", "=", "[", "]", "for", "s", "in", "skip_folders", ".",...
Read folder and collect data in local sqlite3 database
[ "Read", "folder", "and", "collect", "data", "in", "local", "sqlite3", "database" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cli.py#L82-L99
train
SUNCAT-Center/CatHub
cathub/cli.py
db2server
def db2server(dbfile, block_size, dbuser, dbpassword): """Transfer data from local database to Catalysis Hub server""" _db2server.main(dbfile, write_reaction=True, write_ase=True, write_publication=True, write_reaction_system=True,...
python
def db2server(dbfile, block_size, dbuser, dbpassword): """Transfer data from local database to Catalysis Hub server""" _db2server.main(dbfile, write_reaction=True, write_ase=True, write_publication=True, write_reaction_system=True,...
[ "def", "db2server", "(", "dbfile", ",", "block_size", ",", "dbuser", ",", "dbpassword", ")", ":", "_db2server", ".", "main", "(", "dbfile", ",", "write_reaction", "=", "True", ",", "write_ase", "=", "True", ",", "write_publication", "=", "True", ",", "writ...
Transfer data from local database to Catalysis Hub server
[ "Transfer", "data", "from", "local", "database", "to", "Catalysis", "Hub", "server" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cli.py#L109-L120
train
SUNCAT-Center/CatHub
cathub/cli.py
reactions
def reactions(columns, n_results, write_db, queries): """Search for reactions""" if not isinstance(queries, dict): query_dict = {} for q in queries: key, value = q.split('=') if key == 'distinct': if value in ['True', 'true']: query_dic...
python
def reactions(columns, n_results, write_db, queries): """Search for reactions""" if not isinstance(queries, dict): query_dict = {} for q in queries: key, value = q.split('=') if key == 'distinct': if value in ['True', 'true']: query_dic...
[ "def", "reactions", "(", "columns", ",", "n_results", ",", "write_db", ",", "queries", ")", ":", "if", "not", "isinstance", "(", "queries", ",", "dict", ")", ":", "query_dict", "=", "{", "}", "for", "q", "in", "queries", ":", "key", ",", "value", "="...
Search for reactions
[ "Search", "for", "reactions" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cli.py#L171-L204
train
SUNCAT-Center/CatHub
cathub/cli.py
publications
def publications(columns, n_results, queries): """Search for publications""" if not isinstance(queries, dict): query_dict = {} for q in queries: key, value = q.split('=') if key == 'distinct': if value in ['True', 'true']: query_dict.up...
python
def publications(columns, n_results, queries): """Search for publications""" if not isinstance(queries, dict): query_dict = {} for q in queries: key, value = q.split('=') if key == 'distinct': if value in ['True', 'true']: query_dict.up...
[ "def", "publications", "(", "columns", ",", "n_results", ",", "queries", ")", ":", "if", "not", "isinstance", "(", "queries", ",", "dict", ")", ":", "query_dict", "=", "{", "}", "for", "q", "in", "queries", ":", "key", ",", "value", "=", "q", ".", ...
Search for publications
[ "Search", "for", "publications" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cli.py#L223-L266
train
SUNCAT-Center/CatHub
cathub/cli.py
make_folders
def make_folders(template, custom_base): """Create a basic folder tree for dumping DFT calculcations for reaction energies. Dear all Use this command make the right structure for your folders for submitting data for Catalysis Hub's Surface Reactions. Start by creating a template file by calling: ...
python
def make_folders(template, custom_base): """Create a basic folder tree for dumping DFT calculcations for reaction energies. Dear all Use this command make the right structure for your folders for submitting data for Catalysis Hub's Surface Reactions. Start by creating a template file by calling: ...
[ "def", "make_folders", "(", "template", ",", "custom_base", ")", ":", "def", "dict_representer", "(", "dumper", ",", "data", ")", ":", "return", "dumper", ".", "represent_dict", "(", "data", ".", "items", "(", ")", ")", "Dumper", ".", "add_representer", "(...
Create a basic folder tree for dumping DFT calculcations for reaction energies. Dear all Use this command make the right structure for your folders for submitting data for Catalysis Hub's Surface Reactions. Start by creating a template file by calling: $ cathub make_folders <template_name> ...
[ "Create", "a", "basic", "folder", "tree", "for", "dumping", "DFT", "calculcations", "for", "reaction", "energies", "." ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cli.py#L274-L408
train
SUNCAT-Center/CatHub
cathub/cli.py
organize
def organize(**kwargs): """Read reactions from non-organized folder""" # do argument wrangling before turning it into an obect # since namedtuples are immutable if len(kwargs['adsorbates']) == 0: print("""Warning: no adsorbates specified, can't pick up reaction reaction energies.""") ...
python
def organize(**kwargs): """Read reactions from non-organized folder""" # do argument wrangling before turning it into an obect # since namedtuples are immutable if len(kwargs['adsorbates']) == 0: print("""Warning: no adsorbates specified, can't pick up reaction reaction energies.""") ...
[ "def", "organize", "(", "**", "kwargs", ")", ":", "if", "len", "(", "kwargs", "[", "'adsorbates'", "]", ")", "==", "0", ":", "print", "(", ")", "print", "(", "\" Enter adsorbates like so --adsorbates CO,O,CO2\"", ")", "print", "(", "\" [Comma-sep...
Read reactions from non-organized folder
[ "Read", "reactions", "from", "non", "-", "organized", "folder" ]
324625d1d8e740673f139658b2de4c9e1059739e
https://github.com/SUNCAT-Center/CatHub/blob/324625d1d8e740673f139658b2de4c9e1059739e/cathub/cli.py#L551-L576
train
iiSeymour/game-of-life
conway/gol.py
gol.initCurses
def initCurses(self): """ Set up screen properties """ curses.noecho() curses.cbreak() curses.curs_set(0) curses.start_color() curses.use_default_colors() curses.init_pair(1, curses.COLOR_WHITE, -1) curses.init_pair(2, curses.COLOR_YELLOW, ...
python
def initCurses(self): """ Set up screen properties """ curses.noecho() curses.cbreak() curses.curs_set(0) curses.start_color() curses.use_default_colors() curses.init_pair(1, curses.COLOR_WHITE, -1) curses.init_pair(2, curses.COLOR_YELLOW, ...
[ "def", "initCurses", "(", "self", ")", ":", "curses", ".", "noecho", "(", ")", "curses", ".", "cbreak", "(", ")", "curses", ".", "curs_set", "(", "0", ")", "curses", ".", "start_color", "(", ")", "curses", ".", "use_default_colors", "(", ")", "curses",...
Set up screen properties
[ "Set", "up", "screen", "properties" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L81-L96
train
iiSeymour/game-of-life
conway/gol.py
gol.patchCurses
def patchCurses(self): """ Fix curses addch function for python 3.4.0 """ if (sys.version_info)[:3] == (3, 4, 0): self.addchar = lambda y, x, *args: self.win.addch(x, y, *args) else: self.addchar = self.win.addch
python
def patchCurses(self): """ Fix curses addch function for python 3.4.0 """ if (sys.version_info)[:3] == (3, 4, 0): self.addchar = lambda y, x, *args: self.win.addch(x, y, *args) else: self.addchar = self.win.addch
[ "def", "patchCurses", "(", "self", ")", ":", "if", "(", "sys", ".", "version_info", ")", "[", ":", "3", "]", "==", "(", "3", ",", "4", ",", "0", ")", ":", "self", ".", "addchar", "=", "lambda", "y", ",", "x", ",", "*", "args", ":", "self", ...
Fix curses addch function for python 3.4.0
[ "Fix", "curses", "addch", "function", "for", "python", "3", ".", "4", ".", "0" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L98-L105
train
iiSeymour/game-of-life
conway/gol.py
gol.splash
def splash(self): """ Draw splash screen """ dirname = os.path.split(os.path.abspath(__file__))[0] try: splash = open(os.path.join(dirname, "splash"), "r").readlines() except IOError: return width = len(max(splash, key=len)) y = in...
python
def splash(self): """ Draw splash screen """ dirname = os.path.split(os.path.abspath(__file__))[0] try: splash = open(os.path.join(dirname, "splash"), "r").readlines() except IOError: return width = len(max(splash, key=len)) y = in...
[ "def", "splash", "(", "self", ")", ":", "dirname", "=", "os", ".", "path", ".", "split", "(", "os", ".", "path", ".", "abspath", "(", "__file__", ")", ")", "[", "0", "]", "try", ":", "splash", "=", "open", "(", "os", ".", "path", ".", "join", ...
Draw splash screen
[ "Draw", "splash", "screen" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L110-L126
train
iiSeymour/game-of-life
conway/gol.py
gol.drawHUD
def drawHUD(self): """ Draw information on population size and current generation """ self.win.move(self.height - 2, self.x_pad) self.win.clrtoeol() self.win.box() self.addstr(2, self.x_pad + 1, "Population: %i" % len(self.grid)) self.addstr(3, self.x_pad ...
python
def drawHUD(self): """ Draw information on population size and current generation """ self.win.move(self.height - 2, self.x_pad) self.win.clrtoeol() self.win.box() self.addstr(2, self.x_pad + 1, "Population: %i" % len(self.grid)) self.addstr(3, self.x_pad ...
[ "def", "drawHUD", "(", "self", ")", ":", "self", ".", "win", ".", "move", "(", "self", ".", "height", "-", "2", ",", "self", ".", "x_pad", ")", "self", ".", "win", ".", "clrtoeol", "(", ")", "self", ".", "win", ".", "box", "(", ")", "self", "...
Draw information on population size and current generation
[ "Draw", "information", "on", "population", "size", "and", "current", "generation" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L128-L138
train
iiSeymour/game-of-life
conway/gol.py
gol.drawGrid
def drawGrid(self): """ Redraw the grid with the new generation """ for cell in self.grid: y, x = cell y += self.y_pad x += self.x_pad if self.traditional: sprite = '.' color = curses.color_pair(4) ...
python
def drawGrid(self): """ Redraw the grid with the new generation """ for cell in self.grid: y, x = cell y += self.y_pad x += self.x_pad if self.traditional: sprite = '.' color = curses.color_pair(4) ...
[ "def", "drawGrid", "(", "self", ")", ":", "for", "cell", "in", "self", ".", "grid", ":", "y", ",", "x", "=", "cell", "y", "+=", "self", ".", "y_pad", "x", "+=", "self", ".", "x_pad", "if", "self", ".", "traditional", ":", "sprite", "=", "'.'", ...
Redraw the grid with the new generation
[ "Redraw", "the", "grid", "with", "the", "new", "generation" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L140-L158
train
iiSeymour/game-of-life
conway/gol.py
gol.nextGen
def nextGen(self): """ Decide the fate of the cells """ self.current_gen += 1 self.change_gen[self.current_gen % 3] = copy.copy(self.grid) grid_cp = copy.copy(self.grid) for cell in self.grid: y, x = cell y1 = (y - 1) % self.y_grid ...
python
def nextGen(self): """ Decide the fate of the cells """ self.current_gen += 1 self.change_gen[self.current_gen % 3] = copy.copy(self.grid) grid_cp = copy.copy(self.grid) for cell in self.grid: y, x = cell y1 = (y - 1) % self.y_grid ...
[ "def", "nextGen", "(", "self", ")", ":", "self", ".", "current_gen", "+=", "1", "self", ".", "change_gen", "[", "self", ".", "current_gen", "%", "3", "]", "=", "copy", ".", "copy", "(", "self", ".", "grid", ")", "grid_cp", "=", "copy", ".", "copy",...
Decide the fate of the cells
[ "Decide", "the", "fate", "of", "the", "cells" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L160-L191
train
iiSeymour/game-of-life
conway/gol.py
gol.countNeighbours
def countNeighbours(self, cell): """ Return the number active neighbours within one positions away from cell """ count = 0 y, x = cell y = y % self.y_grid x = x % self.x_grid y1 = (y - 1) % self.y_grid y2 = (y + 1) % self.y_grid x1 = (x - 1...
python
def countNeighbours(self, cell): """ Return the number active neighbours within one positions away from cell """ count = 0 y, x = cell y = y % self.y_grid x = x % self.x_grid y1 = (y - 1) % self.y_grid y2 = (y + 1) % self.y_grid x1 = (x - 1...
[ "def", "countNeighbours", "(", "self", ",", "cell", ")", ":", "count", "=", "0", "y", ",", "x", "=", "cell", "y", "=", "y", "%", "self", ".", "y_grid", "x", "=", "x", "%", "self", ".", "x_grid", "y1", "=", "(", "y", "-", "1", ")", "%", "sel...
Return the number active neighbours within one positions away from cell
[ "Return", "the", "number", "active", "neighbours", "within", "one", "positions", "away", "from", "cell" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L193-L210
train
iiSeymour/game-of-life
conway/gol.py
gol.initGrid
def initGrid(self): """ Initialise the game grid """ blinker = [(4, 4), (4, 5), (4, 6)] toad = [(9, 5), (9, 6), (9, 7), (10, 4), (10, 5), (10, 6)] glider = [(4, 11), (5, 12), (6, 10), (6, 11), (6, 12)] r_pentomino = [(10, 60), (9, 61), (10, 61), (11, 61), (9, 62)]...
python
def initGrid(self): """ Initialise the game grid """ blinker = [(4, 4), (4, 5), (4, 6)] toad = [(9, 5), (9, 6), (9, 7), (10, 4), (10, 5), (10, 6)] glider = [(4, 11), (5, 12), (6, 10), (6, 11), (6, 12)] r_pentomino = [(10, 60), (9, 61), (10, 61), (11, 61), (9, 62)]...
[ "def", "initGrid", "(", "self", ")", ":", "blinker", "=", "[", "(", "4", ",", "4", ")", ",", "(", "4", ",", "5", ")", ",", "(", "4", ",", "6", ")", "]", "toad", "=", "[", "(", "9", ",", "5", ")", ",", "(", "9", ",", "6", ")", ",", "...
Initialise the game grid
[ "Initialise", "the", "game", "grid" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L212-L230
train
iiSeymour/game-of-life
conway/gol.py
gol.restart
def restart(self): """ Restart the game from a new generation 0 """ self.initGrid() self.win.clear() self.current_gen = 1 self.start
python
def restart(self): """ Restart the game from a new generation 0 """ self.initGrid() self.win.clear() self.current_gen = 1 self.start
[ "def", "restart", "(", "self", ")", ":", "self", ".", "initGrid", "(", ")", "self", ".", "win", ".", "clear", "(", ")", "self", ".", "current_gen", "=", "1", "self", ".", "start" ]
Restart the game from a new generation 0
[ "Restart", "the", "game", "from", "a", "new", "generation", "0" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L278-L285
train
iiSeymour/game-of-life
conway/gol.py
gol.end
def end(self): """ Game Finished - Restart or Quit """ if self.loop: self.restart return self.addstr(2, self.x_grid / 2 - 4, "GAMEOVER", 7) if self.hud: self.addstr(2, self.x_pad + 13, len(self.grid), 5) self.addstr(3, sel...
python
def end(self): """ Game Finished - Restart or Quit """ if self.loop: self.restart return self.addstr(2, self.x_grid / 2 - 4, "GAMEOVER", 7) if self.hud: self.addstr(2, self.x_pad + 13, len(self.grid), 5) self.addstr(3, sel...
[ "def", "end", "(", "self", ")", ":", "if", "self", ".", "loop", ":", "self", ".", "restart", "return", "self", ".", "addstr", "(", "2", ",", "self", ".", "x_grid", "/", "2", "-", "4", ",", "\"GAMEOVER\"", ",", "7", ")", "if", "self", ".", "hud"...
Game Finished - Restart or Quit
[ "Game", "Finished", "-", "Restart", "or", "Quit" ]
288bc87179ffd986ca066bcd98ea6e0951dd7970
https://github.com/iiSeymour/game-of-life/blob/288bc87179ffd986ca066bcd98ea6e0951dd7970/conway/gol.py#L288-L309
train
guaix-ucm/numina
numina/array/combine.py
mean
def mean(arrays, masks=None, dtype=None, out=None, zeros=None, scales=None, weights=None): """Combine arrays using the mean, with masks and offsets. Arrays and masks are a list of array objects. All input arrays have the same shape. If present, the masks have the same shape also. ...
python
def mean(arrays, masks=None, dtype=None, out=None, zeros=None, scales=None, weights=None): """Combine arrays using the mean, with masks and offsets. Arrays and masks are a list of array objects. All input arrays have the same shape. If present, the masks have the same shape also. ...
[ "def", "mean", "(", "arrays", ",", "masks", "=", "None", ",", "dtype", "=", "None", ",", "out", "=", "None", ",", "zeros", "=", "None", ",", "scales", "=", "None", ",", "weights", "=", "None", ")", ":", "return", "generic_combine", "(", "intl_combine...
Combine arrays using the mean, with masks and offsets. Arrays and masks are a list of array objects. All input arrays have the same shape. If present, the masks have the same shape also. The function returns an array with one more dimension than the inputs and with size (3, shape). out[0] contains...
[ "Combine", "arrays", "using", "the", "mean", "with", "masks", "and", "offsets", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/combine.py#L22-L59
train
guaix-ucm/numina
numina/array/combine.py
median
def median(arrays, masks=None, dtype=None, out=None, zeros=None, scales=None, weights=None): """Combine arrays using the median, with masks. Arrays and masks are a list of array objects. All input arrays have the same shape. If present, the masks have the same shape also. The...
python
def median(arrays, masks=None, dtype=None, out=None, zeros=None, scales=None, weights=None): """Combine arrays using the median, with masks. Arrays and masks are a list of array objects. All input arrays have the same shape. If present, the masks have the same shape also. The...
[ "def", "median", "(", "arrays", ",", "masks", "=", "None", ",", "dtype", "=", "None", ",", "out", "=", "None", ",", "zeros", "=", "None", ",", "scales", "=", "None", ",", "weights", "=", "None", ")", ":", "return", "generic_combine", "(", "intl_combi...
Combine arrays using the median, with masks. Arrays and masks are a list of array objects. All input arrays have the same shape. If present, the masks have the same shape also. The function returns an array with one more dimension than the inputs and with size (3, shape). out[0] contains the mean,...
[ "Combine", "arrays", "using", "the", "median", "with", "masks", "." ]
6c829495df8937f77c2de9383c1038ffb3e713e3
https://github.com/guaix-ucm/numina/blob/6c829495df8937f77c2de9383c1038ffb3e713e3/numina/array/combine.py#L62-L85
train