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
inveniosoftware/invenio-access
invenio_access/models.py
get_action_cache_key
def get_action_cache_key(name, argument): """Get an action cache key string.""" tokens = [str(name)] if argument: tokens.append(str(argument)) return '::'.join(tokens)
python
def get_action_cache_key(name, argument): """Get an action cache key string.""" tokens = [str(name)] if argument: tokens.append(str(argument)) return '::'.join(tokens)
[ "def", "get_action_cache_key", "(", "name", ",", "argument", ")", ":", "tokens", "=", "[", "str", "(", "name", ")", "]", "if", "argument", ":", "tokens", ".", "append", "(", "str", "(", "argument", ")", ")", "return", "'::'", ".", "join", "(", "token...
Get an action cache key string.
[ "Get", "an", "action", "cache", "key", "string", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/models.py#L200-L205
train
inveniosoftware/invenio-access
invenio_access/models.py
removed_or_inserted_action
def removed_or_inserted_action(mapper, connection, target): """Remove the action from cache when an item is inserted or deleted.""" current_access.delete_action_cache(get_action_cache_key(target.action, target.argument))
python
def removed_or_inserted_action(mapper, connection, target): """Remove the action from cache when an item is inserted or deleted.""" current_access.delete_action_cache(get_action_cache_key(target.action, target.argument))
[ "def", "removed_or_inserted_action", "(", "mapper", ",", "connection", ",", "target", ")", ":", "current_access", ".", "delete_action_cache", "(", "get_action_cache_key", "(", "target", ".", "action", ",", "target", ".", "argument", ")", ")" ]
Remove the action from cache when an item is inserted or deleted.
[ "Remove", "the", "action", "from", "cache", "when", "an", "item", "is", "inserted", "or", "deleted", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/models.py#L208-L211
train
inveniosoftware/invenio-access
invenio_access/models.py
changed_action
def changed_action(mapper, connection, target): """Remove the action from cache when an item is updated.""" action_history = get_history(target, 'action') argument_history = get_history(target, 'argument') owner_history = get_history( target, 'user' if isinstance(target, ActionUsers) els...
python
def changed_action(mapper, connection, target): """Remove the action from cache when an item is updated.""" action_history = get_history(target, 'action') argument_history = get_history(target, 'argument') owner_history = get_history( target, 'user' if isinstance(target, ActionUsers) els...
[ "def", "changed_action", "(", "mapper", ",", "connection", ",", "target", ")", ":", "action_history", "=", "get_history", "(", "target", ",", "'action'", ")", "argument_history", "=", "get_history", "(", "target", ",", "'argument'", ")", "owner_history", "=", ...
Remove the action from cache when an item is updated.
[ "Remove", "the", "action", "from", "cache", "when", "an", "item", "is", "updated", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/models.py#L214-L233
train
inveniosoftware/invenio-access
invenio_access/models.py
ActionNeedMixin.allow
def allow(cls, action, **kwargs): """Allow the given action need. :param action: The action to allow. :returns: A :class:`invenio_access.models.ActionNeedMixin` instance. """ return cls.create(action, exclude=False, **kwargs)
python
def allow(cls, action, **kwargs): """Allow the given action need. :param action: The action to allow. :returns: A :class:`invenio_access.models.ActionNeedMixin` instance. """ return cls.create(action, exclude=False, **kwargs)
[ "def", "allow", "(", "cls", ",", "action", ",", "**", "kwargs", ")", ":", "return", "cls", ".", "create", "(", "action", ",", "exclude", "=", "False", ",", "**", "kwargs", ")" ]
Allow the given action need. :param action: The action to allow. :returns: A :class:`invenio_access.models.ActionNeedMixin` instance.
[ "Allow", "the", "given", "action", "need", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/models.py#L62-L68
train
inveniosoftware/invenio-access
invenio_access/models.py
ActionNeedMixin.deny
def deny(cls, action, **kwargs): """Deny the given action need. :param action: The action to deny. :returns: A :class:`invenio_access.models.ActionNeedMixin` instance. """ return cls.create(action, exclude=True, **kwargs)
python
def deny(cls, action, **kwargs): """Deny the given action need. :param action: The action to deny. :returns: A :class:`invenio_access.models.ActionNeedMixin` instance. """ return cls.create(action, exclude=True, **kwargs)
[ "def", "deny", "(", "cls", ",", "action", ",", "**", "kwargs", ")", ":", "return", "cls", ".", "create", "(", "action", ",", "exclude", "=", "True", ",", "**", "kwargs", ")" ]
Deny the given action need. :param action: The action to deny. :returns: A :class:`invenio_access.models.ActionNeedMixin` instance.
[ "Deny", "the", "given", "action", "need", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/models.py#L71-L77
train
inveniosoftware/invenio-access
invenio_access/models.py
ActionNeedMixin.query_by_action
def query_by_action(cls, action, argument=None): """Prepare query object with filtered action. :param action: The action to deny. :param argument: The action argument. If it's ``None`` then, if exists, the ``action.argument`` will be taken. In the worst case will be set ...
python
def query_by_action(cls, action, argument=None): """Prepare query object with filtered action. :param action: The action to deny. :param argument: The action argument. If it's ``None`` then, if exists, the ``action.argument`` will be taken. In the worst case will be set ...
[ "def", "query_by_action", "(", "cls", ",", "action", ",", "argument", "=", "None", ")", ":", "query", "=", "cls", ".", "query", ".", "filter_by", "(", "action", "=", "action", ".", "value", ")", "argument", "=", "argument", "or", "getattr", "(", "actio...
Prepare query object with filtered action. :param action: The action to deny. :param argument: The action argument. If it's ``None`` then, if exists, the ``action.argument`` will be taken. In the worst case will be set as ``None``. (Default: ``None``) :returns: A query o...
[ "Prepare", "query", "object", "with", "filtered", "action", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/models.py#L80-L98
train
BD2KGenomics/protect
src/protect/binding_prediction/mhci.py
predict_mhci_binding
def predict_mhci_binding(job, peptfile, allele, peplen, univ_options, mhci_options): """ Predict binding for each peptide in `peptfile` to `allele` using the IEDB mhci binding prediction tool. :param toil.fileStore.FileID peptfile: The input peptide fasta :param str allele: Allele to predict bindin...
python
def predict_mhci_binding(job, peptfile, allele, peplen, univ_options, mhci_options): """ Predict binding for each peptide in `peptfile` to `allele` using the IEDB mhci binding prediction tool. :param toil.fileStore.FileID peptfile: The input peptide fasta :param str allele: Allele to predict bindin...
[ "def", "predict_mhci_binding", "(", "job", ",", "peptfile", ",", "allele", ",", "peplen", ",", "univ_options", ",", "mhci_options", ")", ":", "work_dir", "=", "os", ".", "getcwd", "(", ")", "input_files", "=", "{", "'peptfile.faa'", ":", "peptfile", "}", "...
Predict binding for each peptide in `peptfile` to `allele` using the IEDB mhci binding prediction tool. :param toil.fileStore.FileID peptfile: The input peptide fasta :param str allele: Allele to predict binding against :param str peplen: Length of peptides to process :param dict univ_options: Dict...
[ "Predict", "binding", "for", "each", "peptide", "in", "peptfile", "to", "allele", "using", "the", "IEDB", "mhci", "binding", "prediction", "tool", "." ]
06310682c50dcf8917b912c8e551299ff7ee41ce
https://github.com/BD2KGenomics/protect/blob/06310682c50dcf8917b912c8e551299ff7ee41ce/src/protect/binding_prediction/mhci.py#L23-L54
train
rmohr/static3
static.py
iter_and_close
def iter_and_close(file_like, block_size): """Yield file contents by block then close the file.""" while 1: try: block = file_like.read(block_size) if block: yield block else: raise StopIteration except StopIteration: ...
python
def iter_and_close(file_like, block_size): """Yield file contents by block then close the file.""" while 1: try: block = file_like.read(block_size) if block: yield block else: raise StopIteration except StopIteration: ...
[ "def", "iter_and_close", "(", "file_like", ",", "block_size", ")", ":", "while", "1", ":", "try", ":", "block", "=", "file_like", ".", "read", "(", "block_size", ")", "if", "block", ":", "yield", "block", "else", ":", "raise", "StopIteration", "except", ...
Yield file contents by block then close the file.
[ "Yield", "file", "contents", "by", "block", "then", "close", "the", "file", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L239-L250
train
rmohr/static3
static.py
cling_wrap
def cling_wrap(package_name, dir_name, **kw): """Return a Cling that serves from the given package and dir_name. This uses pkg_resources.resource_filename which is not the recommended way, since it extracts the files. I think this works fine unless you have some _very_ serious requirements for sta...
python
def cling_wrap(package_name, dir_name, **kw): """Return a Cling that serves from the given package and dir_name. This uses pkg_resources.resource_filename which is not the recommended way, since it extracts the files. I think this works fine unless you have some _very_ serious requirements for sta...
[ "def", "cling_wrap", "(", "package_name", ",", "dir_name", ",", "**", "kw", ")", ":", "resource", "=", "Requirement", ".", "parse", "(", "package_name", ")", "return", "Cling", "(", "resource_filename", "(", "resource", ",", "dir_name", ")", ",", "**", "kw...
Return a Cling that serves from the given package and dir_name. This uses pkg_resources.resource_filename which is not the recommended way, since it extracts the files. I think this works fine unless you have some _very_ serious requirements for static content, in which case you probably shouldn't...
[ "Return", "a", "Cling", "that", "serves", "from", "the", "given", "package", "and", "dir_name", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L253-L264
train
rmohr/static3
static.py
Cling._is_under_root
def _is_under_root(self, full_path): """Guard against arbitrary file retrieval.""" if (path.abspath(full_path) + path.sep)\ .startswith(path.abspath(self.root) + path.sep): return True else: return False
python
def _is_under_root(self, full_path): """Guard against arbitrary file retrieval.""" if (path.abspath(full_path) + path.sep)\ .startswith(path.abspath(self.root) + path.sep): return True else: return False
[ "def", "_is_under_root", "(", "self", ",", "full_path", ")", ":", "if", "(", "path", ".", "abspath", "(", "full_path", ")", "+", "path", ".", "sep", ")", ".", "startswith", "(", "path", ".", "abspath", "(", "self", ".", "root", ")", "+", "path", "....
Guard against arbitrary file retrieval.
[ "Guard", "against", "arbitrary", "file", "retrieval", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L200-L206
train
rmohr/static3
static.py
Shock._match_magic
def _match_magic(self, full_path): """Return the first magic that matches this path or None.""" for magic in self.magics: if magic.matches(full_path): return magic
python
def _match_magic(self, full_path): """Return the first magic that matches this path or None.""" for magic in self.magics: if magic.matches(full_path): return magic
[ "def", "_match_magic", "(", "self", ",", "full_path", ")", ":", "for", "magic", "in", "self", ".", "magics", ":", "if", "magic", ".", "matches", "(", "full_path", ")", ":", "return", "magic" ]
Return the first magic that matches this path or None.
[ "Return", "the", "first", "magic", "that", "matches", "this", "path", "or", "None", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L296-L300
train
rmohr/static3
static.py
Shock._full_path
def _full_path(self, path_info): """Return the full path from which to read.""" full_path = self.root + path_info if path.exists(full_path): return full_path else: for magic in self.magics: if path.exists(magic.new_path(full_path)): ...
python
def _full_path(self, path_info): """Return the full path from which to read.""" full_path = self.root + path_info if path.exists(full_path): return full_path else: for magic in self.magics: if path.exists(magic.new_path(full_path)): ...
[ "def", "_full_path", "(", "self", ",", "path_info", ")", ":", "full_path", "=", "self", ".", "root", "+", "path_info", "if", "path", ".", "exists", "(", "full_path", ")", ":", "return", "full_path", "else", ":", "for", "magic", "in", "self", ".", "magi...
Return the full path from which to read.
[ "Return", "the", "full", "path", "from", "which", "to", "read", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L302-L312
train
rmohr/static3
static.py
Shock._guess_type
def _guess_type(self, full_path): """Guess the mime type magically or using the mimetypes module.""" magic = self._match_magic(full_path) if magic is not None: return (mimetypes.guess_type(magic.old_path(full_path))[0] or 'text/plain') else: re...
python
def _guess_type(self, full_path): """Guess the mime type magically or using the mimetypes module.""" magic = self._match_magic(full_path) if magic is not None: return (mimetypes.guess_type(magic.old_path(full_path))[0] or 'text/plain') else: re...
[ "def", "_guess_type", "(", "self", ",", "full_path", ")", ":", "magic", "=", "self", ".", "_match_magic", "(", "full_path", ")", "if", "magic", "is", "not", "None", ":", "return", "(", "mimetypes", ".", "guess_type", "(", "magic", ".", "old_path", "(", ...
Guess the mime type magically or using the mimetypes module.
[ "Guess", "the", "mime", "type", "magically", "or", "using", "the", "mimetypes", "module", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L314-L321
train
rmohr/static3
static.py
Shock._conditions
def _conditions(self, full_path, environ): """Return Etag and Last-Modified values defaults to now for both.""" magic = self._match_magic(full_path) if magic is not None: return magic.conditions(full_path, environ) else: mtime = stat(full_path).st_mtime ...
python
def _conditions(self, full_path, environ): """Return Etag and Last-Modified values defaults to now for both.""" magic = self._match_magic(full_path) if magic is not None: return magic.conditions(full_path, environ) else: mtime = stat(full_path).st_mtime ...
[ "def", "_conditions", "(", "self", ",", "full_path", ",", "environ", ")", ":", "magic", "=", "self", ".", "_match_magic", "(", "full_path", ")", "if", "magic", "is", "not", "None", ":", "return", "magic", ".", "conditions", "(", "full_path", ",", "enviro...
Return Etag and Last-Modified values defaults to now for both.
[ "Return", "Etag", "and", "Last", "-", "Modified", "values", "defaults", "to", "now", "for", "both", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L323-L330
train
rmohr/static3
static.py
Shock._file_like
def _file_like(self, full_path): """Return the appropriate file object.""" magic = self._match_magic(full_path) if magic is not None: return magic.file_like(full_path, self.encoding) else: return open(full_path, 'rb')
python
def _file_like(self, full_path): """Return the appropriate file object.""" magic = self._match_magic(full_path) if magic is not None: return magic.file_like(full_path, self.encoding) else: return open(full_path, 'rb')
[ "def", "_file_like", "(", "self", ",", "full_path", ")", ":", "magic", "=", "self", ".", "_match_magic", "(", "full_path", ")", "if", "magic", "is", "not", "None", ":", "return", "magic", ".", "file_like", "(", "full_path", ",", "self", ".", "encoding", ...
Return the appropriate file object.
[ "Return", "the", "appropriate", "file", "object", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L332-L338
train
rmohr/static3
static.py
BaseMagic.old_path
def old_path(self, full_path): """Remove self.extension from path or raise MagicError.""" if self.matches(full_path): return full_path[:-len(self.extension)] else: raise MagicError("Path does not match this magic.")
python
def old_path(self, full_path): """Remove self.extension from path or raise MagicError.""" if self.matches(full_path): return full_path[:-len(self.extension)] else: raise MagicError("Path does not match this magic.")
[ "def", "old_path", "(", "self", ",", "full_path", ")", ":", "if", "self", ".", "matches", "(", "full_path", ")", ":", "return", "full_path", "[", ":", "-", "len", "(", "self", ".", "extension", ")", "]", "else", ":", "raise", "MagicError", "(", "\"Pa...
Remove self.extension from path or raise MagicError.
[ "Remove", "self", ".", "extension", "from", "path", "or", "raise", "MagicError", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L374-L379
train
rmohr/static3
static.py
StringMagic.body
def body(self, environ, file_like): """Pass environ and self.variables in to template. self.variables overrides environ so that suprises in environ don't cause unexpected output if you are passing a value in explicitly. """ variables = environ.copy() variables.update(sel...
python
def body(self, environ, file_like): """Pass environ and self.variables in to template. self.variables overrides environ so that suprises in environ don't cause unexpected output if you are passing a value in explicitly. """ variables = environ.copy() variables.update(sel...
[ "def", "body", "(", "self", ",", "environ", ",", "file_like", ")", ":", "variables", "=", "environ", ".", "copy", "(", ")", "variables", ".", "update", "(", "self", ".", "variables", ")", "template", "=", "string", ".", "Template", "(", "file_like", "....
Pass environ and self.variables in to template. self.variables overrides environ so that suprises in environ don't cause unexpected output if you are passing a value in explicitly.
[ "Pass", "environ", "and", "self", ".", "variables", "in", "to", "template", "." ]
e5f88c5e91789bd4db7fde0cf59e4a15c3326f11
https://github.com/rmohr/static3/blob/e5f88c5e91789bd4db7fde0cf59e4a15c3326f11/static.py#L414-L426
train
budacom/trading-bots
trading_bots/contrib/converters/base.py
Converter.get_rate_for
def get_rate_for(self, currency: str, to: str, reverse: bool=False) -> Number: """Get current market rate for currency""" # Return 1 when currencies match if currency.upper() == to.upper(): return self._format_number('1.0') # Set base and quote currencies base, quot...
python
def get_rate_for(self, currency: str, to: str, reverse: bool=False) -> Number: """Get current market rate for currency""" # Return 1 when currencies match if currency.upper() == to.upper(): return self._format_number('1.0') # Set base and quote currencies base, quot...
[ "def", "get_rate_for", "(", "self", ",", "currency", ":", "str", ",", "to", ":", "str", ",", "reverse", ":", "bool", "=", "False", ")", "->", "Number", ":", "if", "currency", ".", "upper", "(", ")", "==", "to", ".", "upper", "(", ")", ":", "retur...
Get current market rate for currency
[ "Get", "current", "market", "rate", "for", "currency" ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/contrib/converters/base.py#L45-L74
train
budacom/trading-bots
trading_bots/contrib/converters/base.py
Converter.convert
def convert(self, amount: Number, currency: str, to: str, reverse: bool=False) -> Number: """Convert amount to another currency""" rate = self.get_rate_for(currency, to, reverse) if self.return_decimal: amount = Decimal(amount) return amount * rate
python
def convert(self, amount: Number, currency: str, to: str, reverse: bool=False) -> Number: """Convert amount to another currency""" rate = self.get_rate_for(currency, to, reverse) if self.return_decimal: amount = Decimal(amount) return amount * rate
[ "def", "convert", "(", "self", ",", "amount", ":", "Number", ",", "currency", ":", "str", ",", "to", ":", "str", ",", "reverse", ":", "bool", "=", "False", ")", "->", "Number", ":", "rate", "=", "self", ".", "get_rate_for", "(", "currency", ",", "t...
Convert amount to another currency
[ "Convert", "amount", "to", "another", "currency" ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/contrib/converters/base.py#L76-L81
train
budacom/trading-bots
trading_bots/contrib/converters/base.py
Converter.convert_money
def convert_money(self, money: Money, to: str, reverse: bool=False) -> Money: """Convert money to another currency""" converted = self.convert(money.amount, money.currency, to, reverse) return Money(converted, to)
python
def convert_money(self, money: Money, to: str, reverse: bool=False) -> Money: """Convert money to another currency""" converted = self.convert(money.amount, money.currency, to, reverse) return Money(converted, to)
[ "def", "convert_money", "(", "self", ",", "money", ":", "Money", ",", "to", ":", "str", ",", "reverse", ":", "bool", "=", "False", ")", "->", "Money", ":", "converted", "=", "self", ".", "convert", "(", "money", ".", "amount", ",", "money", ".", "c...
Convert money to another currency
[ "Convert", "money", "to", "another", "currency" ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/contrib/converters/base.py#L83-L86
train
jinglemansweep/lcdproc
lcdproc/screen.py
Screen.add_icon_widget
def add_icon_widget(self, ref, x=1, y=1, name="heart"): """ Add Icon Widget """ if ref not in self.widgets: widget = IconWidget(screen=self, ref=ref, x=x, y=y, name=name) self.widgets[ref] = widget return self.widgets[ref]
python
def add_icon_widget(self, ref, x=1, y=1, name="heart"): """ Add Icon Widget """ if ref not in self.widgets: widget = IconWidget(screen=self, ref=ref, x=x, y=y, name=name) self.widgets[ref] = widget return self.widgets[ref]
[ "def", "add_icon_widget", "(", "self", ",", "ref", ",", "x", "=", "1", ",", "y", "=", "1", ",", "name", "=", "\"heart\"", ")", ":", "if", "ref", "not", "in", "self", ".", "widgets", ":", "widget", "=", "IconWidget", "(", "screen", "=", "self", ",...
Add Icon Widget
[ "Add", "Icon", "Widget" ]
973628fc326177c9deaf3f2e1a435159eb565ae0
https://github.com/jinglemansweep/lcdproc/blob/973628fc326177c9deaf3f2e1a435159eb565ae0/lcdproc/screen.py#L179-L186
train
jinglemansweep/lcdproc
lcdproc/screen.py
Screen.add_scroller_widget
def add_scroller_widget(self, ref, left=1, top=1, right=20, bottom=1, direction="h", speed=1, text="Message"): """ Add Scroller Widget """ if ref not in self.widgets: widget = ScrollerWidget(screen=self, ref=ref, left=left, top=top, right=right, bottom=bottom, direc...
python
def add_scroller_widget(self, ref, left=1, top=1, right=20, bottom=1, direction="h", speed=1, text="Message"): """ Add Scroller Widget """ if ref not in self.widgets: widget = ScrollerWidget(screen=self, ref=ref, left=left, top=top, right=right, bottom=bottom, direc...
[ "def", "add_scroller_widget", "(", "self", ",", "ref", ",", "left", "=", "1", ",", "top", "=", "1", ",", "right", "=", "20", ",", "bottom", "=", "1", ",", "direction", "=", "\"h\"", ",", "speed", "=", "1", ",", "text", "=", "\"Message\"", ")", ":...
Add Scroller Widget
[ "Add", "Scroller", "Widget" ]
973628fc326177c9deaf3f2e1a435159eb565ae0
https://github.com/jinglemansweep/lcdproc/blob/973628fc326177c9deaf3f2e1a435159eb565ae0/lcdproc/screen.py#L189-L196
train
idlesign/steampak
steampak/libsteam/resources/apps.py
Application.install_dir
def install_dir(self): """Returns application installation path. .. note:: If fails this falls back to a restricted interface, which can only be used by approved apps. :rtype: str """ max_len = 500 directory = self._get_str(self._iface.get_install_dir, [se...
python
def install_dir(self): """Returns application installation path. .. note:: If fails this falls back to a restricted interface, which can only be used by approved apps. :rtype: str """ max_len = 500 directory = self._get_str(self._iface.get_install_dir, [se...
[ "def", "install_dir", "(", "self", ")", ":", "max_len", "=", "500", "directory", "=", "self", ".", "_get_str", "(", "self", ".", "_iface", ".", "get_install_dir", ",", "[", "self", ".", "app_id", "]", ",", "max_len", "=", "max_len", ")", "if", "not", ...
Returns application installation path. .. note:: If fails this falls back to a restricted interface, which can only be used by approved apps. :rtype: str
[ "Returns", "application", "installation", "path", "." ]
cb3f2c737e272b0360802d947e388df7e34f50f3
https://github.com/idlesign/steampak/blob/cb3f2c737e272b0360802d947e388df7e34f50f3/steampak/libsteam/resources/apps.py#L73-L90
train
idlesign/steampak
steampak/libsteam/resources/apps.py
Application.purchase_time
def purchase_time(self): """Date and time of app purchase. :rtype: datetime """ ts = self._iface.get_purchase_time(self.app_id) return datetime.utcfromtimestamp(ts)
python
def purchase_time(self): """Date and time of app purchase. :rtype: datetime """ ts = self._iface.get_purchase_time(self.app_id) return datetime.utcfromtimestamp(ts)
[ "def", "purchase_time", "(", "self", ")", ":", "ts", "=", "self", ".", "_iface", ".", "get_purchase_time", "(", "self", ".", "app_id", ")", "return", "datetime", ".", "utcfromtimestamp", "(", "ts", ")" ]
Date and time of app purchase. :rtype: datetime
[ "Date", "and", "time", "of", "app", "purchase", "." ]
cb3f2c737e272b0360802d947e388df7e34f50f3
https://github.com/idlesign/steampak/blob/cb3f2c737e272b0360802d947e388df7e34f50f3/steampak/libsteam/resources/apps.py#L93-L99
train
BD2KGenomics/protect
docker/pipelineWrapper.py
PipelineWrapperBuilder.get_args
def get_args(self): """ Use this context manager to add arguments to an argparse object with the add_argument method. Arguments must be defined before the command is defined. Note that no-clean and resume are added upon exit and should not be added in the context manager. For mor...
python
def get_args(self): """ Use this context manager to add arguments to an argparse object with the add_argument method. Arguments must be defined before the command is defined. Note that no-clean and resume are added upon exit and should not be added in the context manager. For mor...
[ "def", "get_args", "(", "self", ")", ":", "parser", "=", "argparse", ".", "ArgumentParser", "(", "description", "=", "self", ".", "_desc", ",", "formatter_class", "=", "MyUniversalHelpFormatter", ")", "if", "self", ".", "_no_clean", ":", "parser", ".", "add_...
Use this context manager to add arguments to an argparse object with the add_argument method. Arguments must be defined before the command is defined. Note that no-clean and resume are added upon exit and should not be added in the context manager. For more info about these default arguments see...
[ "Use", "this", "context", "manager", "to", "add", "arguments", "to", "an", "argparse", "object", "with", "the", "add_argument", "method", ".", "Arguments", "must", "be", "defined", "before", "the", "command", "is", "defined", ".", "Note", "that", "no", "-", ...
06310682c50dcf8917b912c8e551299ff7ee41ce
https://github.com/BD2KGenomics/protect/blob/06310682c50dcf8917b912c8e551299ff7ee41ce/docker/pipelineWrapper.py#L170-L188
train
BD2KGenomics/protect
src/protect/rankboost.py
wrap_rankboost
def wrap_rankboost(job, rsem_files, merged_mhc_calls, transgene_out, univ_options, rankboost_options): """ A wrapper for boost_ranks. :param dict rsem_files: Dict of results from rsem :param dict merged_mhc_calls: Dict of results from merging mhc peptide binding predictions :para...
python
def wrap_rankboost(job, rsem_files, merged_mhc_calls, transgene_out, univ_options, rankboost_options): """ A wrapper for boost_ranks. :param dict rsem_files: Dict of results from rsem :param dict merged_mhc_calls: Dict of results from merging mhc peptide binding predictions :para...
[ "def", "wrap_rankboost", "(", "job", ",", "rsem_files", ",", "merged_mhc_calls", ",", "transgene_out", ",", "univ_options", ",", "rankboost_options", ")", ":", "rankboost", "=", "job", ".", "addChildJobFn", "(", "boost_ranks", ",", "rsem_files", "[", "'rsem.isofor...
A wrapper for boost_ranks. :param dict rsem_files: Dict of results from rsem :param dict merged_mhc_calls: Dict of results from merging mhc peptide binding predictions :param dict transgene_out: Dict of results from running Transgene :param dict univ_options: Dict of universal options used by almost al...
[ "A", "wrapper", "for", "boost_ranks", "." ]
06310682c50dcf8917b912c8e551299ff7ee41ce
https://github.com/BD2KGenomics/protect/blob/06310682c50dcf8917b912c8e551299ff7ee41ce/src/protect/rankboost.py#L21-L42
train
budacom/trading-bots
trading_bots/bots/registry.py
BotRegistry._path_from_module
def _path_from_module(module): """Attempt to determine bot's filesystem path from its module.""" # Convert paths to list because Python's _NamespacePath doesn't support # indexing. paths = list(getattr(module, '__path__', [])) if len(paths) != 1: filename = getattr(mo...
python
def _path_from_module(module): """Attempt to determine bot's filesystem path from its module.""" # Convert paths to list because Python's _NamespacePath doesn't support # indexing. paths = list(getattr(module, '__path__', [])) if len(paths) != 1: filename = getattr(mo...
[ "def", "_path_from_module", "(", "module", ")", ":", "paths", "=", "list", "(", "getattr", "(", "module", ",", "'__path__'", ",", "[", "]", ")", ")", "if", "len", "(", "paths", ")", "!=", "1", ":", "filename", "=", "getattr", "(", "module", ",", "'...
Attempt to determine bot's filesystem path from its module.
[ "Attempt", "to", "determine", "bot", "s", "filesystem", "path", "from", "its", "module", "." ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/bots/registry.py#L58-L81
train
budacom/trading-bots
trading_bots/bots/registry.py
BotRegistry.create
def create(cls, entry): """ Factory that creates an bot config from an entry in INSTALLED_APPS. """ # trading_bots.example.bot.ExampleBot try: # If import_module succeeds, entry is a path to a bot module, # which may specify a bot class with a default_bot ...
python
def create(cls, entry): """ Factory that creates an bot config from an entry in INSTALLED_APPS. """ # trading_bots.example.bot.ExampleBot try: # If import_module succeeds, entry is a path to a bot module, # which may specify a bot class with a default_bot ...
[ "def", "create", "(", "cls", ",", "entry", ")", ":", "try", ":", "module", "=", "import_module", "(", "entry", ")", "except", "ImportError", ":", "module", "=", "None", "mod_path", ",", "_", ",", "cls_name", "=", "entry", ".", "rpartition", "(", "'.'",...
Factory that creates an bot config from an entry in INSTALLED_APPS.
[ "Factory", "that", "creates", "an", "bot", "config", "from", "an", "entry", "in", "INSTALLED_APPS", "." ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/bots/registry.py#L84-L136
train
budacom/trading-bots
trading_bots/bots/registry.py
BotRegistry.get_config
def get_config(self, config_name, require_ready=True): """ Return the config with the given case-insensitive config_name. Raise LookupError if no config exists with this name. """ if require_ready: self.bots.check_configs_ready() else: self.bots.ch...
python
def get_config(self, config_name, require_ready=True): """ Return the config with the given case-insensitive config_name. Raise LookupError if no config exists with this name. """ if require_ready: self.bots.check_configs_ready() else: self.bots.ch...
[ "def", "get_config", "(", "self", ",", "config_name", ",", "require_ready", "=", "True", ")", ":", "if", "require_ready", ":", "self", ".", "bots", ".", "check_configs_ready", "(", ")", "else", ":", "self", ".", "bots", ".", "check_bots_ready", "(", ")", ...
Return the config with the given case-insensitive config_name. Raise LookupError if no config exists with this name.
[ "Return", "the", "config", "with", "the", "given", "case", "-", "insensitive", "config_name", ".", "Raise", "LookupError", "if", "no", "config", "exists", "with", "this", "name", "." ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/bots/registry.py#L138-L148
train
budacom/trading-bots
trading_bots/bots/registry.py
BotRegistry.get_configs
def get_configs(self): """ Return an iterable of models. """ self.bots.check_models_ready() for config in self.configs.values(): yield config
python
def get_configs(self): """ Return an iterable of models. """ self.bots.check_models_ready() for config in self.configs.values(): yield config
[ "def", "get_configs", "(", "self", ")", ":", "self", ".", "bots", ".", "check_models_ready", "(", ")", "for", "config", "in", "self", ".", "configs", ".", "values", "(", ")", ":", "yield", "config" ]
Return an iterable of models.
[ "Return", "an", "iterable", "of", "models", "." ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/bots/registry.py#L150-L156
train
budacom/trading-bots
trading_bots/bots/registry.py
Bots.populate
def populate(self, installed_bots=None): """ Load bots. Import each bot module. It is thread-safe and idempotent, but not re-entrant. """ if self.ready: return # populate() might be called by two threads in parallel on servers # that create th...
python
def populate(self, installed_bots=None): """ Load bots. Import each bot module. It is thread-safe and idempotent, but not re-entrant. """ if self.ready: return # populate() might be called by two threads in parallel on servers # that create th...
[ "def", "populate", "(", "self", ",", "installed_bots", "=", "None", ")", ":", "if", "self", ".", "ready", ":", "return", "with", "self", ".", "_lock", ":", "if", "self", ".", "ready", ":", "return", "if", "self", ".", "loading", ":", "raise", "Runtim...
Load bots. Import each bot module. It is thread-safe and idempotent, but not re-entrant.
[ "Load", "bots", ".", "Import", "each", "bot", "module", ".", "It", "is", "thread", "-", "safe", "and", "idempotent", "but", "not", "re", "-", "entrant", "." ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/bots/registry.py#L199-L254
train
budacom/trading-bots
trading_bots/bots/registry.py
Bots.get_bot
def get_bot(self, bot_label): """ Import all bots and returns a bot class for the given label. Raise LookupError if no bot exists with this label. """ self.check_bots_ready() try: return self.bots[bot_label] except KeyError: message = "No i...
python
def get_bot(self, bot_label): """ Import all bots and returns a bot class for the given label. Raise LookupError if no bot exists with this label. """ self.check_bots_ready() try: return self.bots[bot_label] except KeyError: message = "No i...
[ "def", "get_bot", "(", "self", ",", "bot_label", ")", ":", "self", ".", "check_bots_ready", "(", ")", "try", ":", "return", "self", ".", "bots", "[", "bot_label", "]", "except", "KeyError", ":", "message", "=", "\"No installed bot with label '%s'.\"", "%", "...
Import all bots and returns a bot class for the given label. Raise LookupError if no bot exists with this label.
[ "Import", "all", "bots", "and", "returns", "a", "bot", "class", "for", "the", "given", "label", ".", "Raise", "LookupError", "if", "no", "bot", "exists", "with", "this", "label", "." ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/bots/registry.py#L271-L285
train
budacom/trading-bots
trading_bots/bots/registry.py
Bots.get_configs
def get_configs(self): """ Return a list of all installed configs. """ self.check_configs_ready() result = [] for bot in self.bots.values(): result.extend(list(bot.get_models())) return result
python
def get_configs(self): """ Return a list of all installed configs. """ self.check_configs_ready() result = [] for bot in self.bots.values(): result.extend(list(bot.get_models())) return result
[ "def", "get_configs", "(", "self", ")", ":", "self", ".", "check_configs_ready", "(", ")", "result", "=", "[", "]", "for", "bot", "in", "self", ".", "bots", ".", "values", "(", ")", ":", "result", ".", "extend", "(", "list", "(", "bot", ".", "get_m...
Return a list of all installed configs.
[ "Return", "a", "list", "of", "all", "installed", "configs", "." ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/bots/registry.py#L287-L296
train
budacom/trading-bots
trading_bots/bots/registry.py
Bots.get_config
def get_config(self, bot_label, config_name=None, require_ready=True): """ Return the config matching the given bot_label and config_name. config_name is case-insensitive. Raise LookupError if no bot exists with this label, or no config exists with this name in the bot. Raise Val...
python
def get_config(self, bot_label, config_name=None, require_ready=True): """ Return the config matching the given bot_label and config_name. config_name is case-insensitive. Raise LookupError if no bot exists with this label, or no config exists with this name in the bot. Raise Val...
[ "def", "get_config", "(", "self", ",", "bot_label", ",", "config_name", "=", "None", ",", "require_ready", "=", "True", ")", ":", "if", "require_ready", ":", "self", ".", "check_configs_ready", "(", ")", "else", ":", "self", ".", "check_bots_ready", "(", "...
Return the config matching the given bot_label and config_name. config_name is case-insensitive. Raise LookupError if no bot exists with this label, or no config exists with this name in the bot. Raise ValueError if called with a single argument that doesn't contain exactly one dot.
[ "Return", "the", "config", "matching", "the", "given", "bot_label", "and", "config_name", ".", "config_name", "is", "case", "-", "insensitive", ".", "Raise", "LookupError", "if", "no", "bot", "exists", "with", "this", "label", "or", "no", "config", "exists", ...
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/bots/registry.py#L298-L319
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__to_float
def __to_float(val, digits): """Convert val into float with digits decimal.""" try: return round(float(val), digits) except (ValueError, TypeError): return float(0)
python
def __to_float(val, digits): """Convert val into float with digits decimal.""" try: return round(float(val), digits) except (ValueError, TypeError): return float(0)
[ "def", "__to_float", "(", "val", ",", "digits", ")", ":", "try", ":", "return", "round", "(", "float", "(", "val", ")", ",", "digits", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "return", "float", "(", "0", ")" ]
Convert val into float with digits decimal.
[ "Convert", "val", "into", "float", "with", "digits", "decimal", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L97-L102
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
get_json_data
def get_json_data(latitude=52.091579, longitude=5.119734): """Get buienradar json data and return results.""" final_result = {SUCCESS: False, MESSAGE: None, CONTENT: None, RAINCONTENT: None} log.info("Getting buienradar json data for latitude=%s, ...
python
def get_json_data(latitude=52.091579, longitude=5.119734): """Get buienradar json data and return results.""" final_result = {SUCCESS: False, MESSAGE: None, CONTENT: None, RAINCONTENT: None} log.info("Getting buienradar json data for latitude=%s, ...
[ "def", "get_json_data", "(", "latitude", "=", "52.091579", ",", "longitude", "=", "5.119734", ")", ":", "final_result", "=", "{", "SUCCESS", ":", "False", ",", "MESSAGE", ":", "None", ",", "CONTENT", ":", "None", ",", "RAINCONTENT", ":", "None", "}", "lo...
Get buienradar json data and return results.
[ "Get", "buienradar", "json", "data", "and", "return", "results", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L194-L238
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__get_precipfc_data
def __get_precipfc_data(latitude, longitude): """Get buienradar forecasted precipitation.""" url = 'https://gpsgadget.buienradar.nl/data/raintext?lat={}&lon={}' # rounding coordinates prevents unnecessary redirects/calls url = url.format( round(latitude, 2), round(longitude, 2) ) ...
python
def __get_precipfc_data(latitude, longitude): """Get buienradar forecasted precipitation.""" url = 'https://gpsgadget.buienradar.nl/data/raintext?lat={}&lon={}' # rounding coordinates prevents unnecessary redirects/calls url = url.format( round(latitude, 2), round(longitude, 2) ) ...
[ "def", "__get_precipfc_data", "(", "latitude", ",", "longitude", ")", ":", "url", "=", "'https://gpsgadget.buienradar.nl/data/raintext?lat={}&lon={}'", "url", "=", "url", ".", "format", "(", "round", "(", "latitude", ",", "2", ")", ",", "round", "(", "longitude", ...
Get buienradar forecasted precipitation.
[ "Get", "buienradar", "forecasted", "precipitation", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L276-L285
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__get_url
def __get_url(url): """Load json data from url and return result.""" log.info("Retrieving weather data (%s)...", url) result = {SUCCESS: False, MESSAGE: None} try: r = requests.get(url) result[STATUS_CODE] = r.status_code result[HEADERS] = r.headers result[CONTENT] = r.t...
python
def __get_url(url): """Load json data from url and return result.""" log.info("Retrieving weather data (%s)...", url) result = {SUCCESS: False, MESSAGE: None} try: r = requests.get(url) result[STATUS_CODE] = r.status_code result[HEADERS] = r.headers result[CONTENT] = r.t...
[ "def", "__get_url", "(", "url", ")", ":", "log", ".", "info", "(", "\"Retrieving weather data (%s)...\"", ",", "url", ")", "result", "=", "{", "SUCCESS", ":", "False", ",", "MESSAGE", ":", "None", "}", "try", ":", "r", "=", "requests", ".", "get", "("...
Load json data from url and return result.
[ "Load", "json", "data", "from", "url", "and", "return", "result", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L288-L306
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__parse_ws_data
def __parse_ws_data(jsondata, latitude=52.091579, longitude=5.119734): """Parse the buienradar json and rain data.""" log.info("Parse ws data: latitude: %s, longitude: %s", latitude, longitude) result = {SUCCESS: False, MESSAGE: None, DATA: None} # select the nearest weather station loc_data = __se...
python
def __parse_ws_data(jsondata, latitude=52.091579, longitude=5.119734): """Parse the buienradar json and rain data.""" log.info("Parse ws data: latitude: %s, longitude: %s", latitude, longitude) result = {SUCCESS: False, MESSAGE: None, DATA: None} # select the nearest weather station loc_data = __se...
[ "def", "__parse_ws_data", "(", "jsondata", ",", "latitude", "=", "52.091579", ",", "longitude", "=", "5.119734", ")", ":", "log", ".", "info", "(", "\"Parse ws data: latitude: %s, longitude: %s\"", ",", "latitude", ",", "longitude", ")", "result", "=", "{", "SUC...
Parse the buienradar json and rain data.
[ "Parse", "the", "buienradar", "json", "and", "rain", "data", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L309-L344
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__parse_loc_data
def __parse_loc_data(loc_data, result): """Parse the json data from selected weatherstation.""" result[DATA] = {ATTRIBUTION: ATTRIBUTION_INFO, FORECAST: [], PRECIPITATION_FORECAST: None} for key, [value, func] in SENSOR_TYPES.items(): result[DATA][key] = None...
python
def __parse_loc_data(loc_data, result): """Parse the json data from selected weatherstation.""" result[DATA] = {ATTRIBUTION: ATTRIBUTION_INFO, FORECAST: [], PRECIPITATION_FORECAST: None} for key, [value, func] in SENSOR_TYPES.items(): result[DATA][key] = None...
[ "def", "__parse_loc_data", "(", "loc_data", ",", "result", ")", ":", "result", "[", "DATA", "]", "=", "{", "ATTRIBUTION", ":", "ATTRIBUTION_INFO", ",", "FORECAST", ":", "[", "]", ",", "PRECIPITATION_FORECAST", ":", "None", "}", "for", "key", ",", "[", "v...
Parse the json data from selected weatherstation.
[ "Parse", "the", "json", "data", "from", "selected", "weatherstation", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L347-L379
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__parse_fc_data
def __parse_fc_data(fc_data): """Parse the forecast data from the json section.""" fc = [] for day in fc_data: fcdata = { CONDITION: __cond_from_desc( __get_str( day, __WEATHERDESCRIPTION) ), TEMPERATURE: __g...
python
def __parse_fc_data(fc_data): """Parse the forecast data from the json section.""" fc = [] for day in fc_data: fcdata = { CONDITION: __cond_from_desc( __get_str( day, __WEATHERDESCRIPTION) ), TEMPERATURE: __g...
[ "def", "__parse_fc_data", "(", "fc_data", ")", ":", "fc", "=", "[", "]", "for", "day", "in", "fc_data", ":", "fcdata", "=", "{", "CONDITION", ":", "__cond_from_desc", "(", "__get_str", "(", "day", ",", "__WEATHERDESCRIPTION", ")", ")", ",", "TEMPERATURE", ...
Parse the forecast data from the json section.
[ "Parse", "the", "forecast", "data", "from", "the", "json", "section", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L382-L408
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__get_float
def __get_float(section, name): """Get the forecasted float from json section.""" try: return float(section[name]) except (ValueError, TypeError, KeyError): return float(0)
python
def __get_float(section, name): """Get the forecasted float from json section.""" try: return float(section[name]) except (ValueError, TypeError, KeyError): return float(0)
[ "def", "__get_float", "(", "section", ",", "name", ")", ":", "try", ":", "return", "float", "(", "section", "[", "name", "]", ")", "except", "(", "ValueError", ",", "TypeError", ",", "KeyError", ")", ":", "return", "float", "(", "0", ")" ]
Get the forecasted float from json section.
[ "Get", "the", "forecasted", "float", "from", "json", "section", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L419-L424
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__parse_precipfc_data
def __parse_precipfc_data(data, timeframe): """Parse the forecasted precipitation data.""" result = {AVERAGE: None, TOTAL: None, TIMEFRAME: None} log.debug("Precipitation data: %s", data) lines = data.splitlines() index = 1 totalrain = 0 numberoflines = 0 nrlines = min(len(lines), round...
python
def __parse_precipfc_data(data, timeframe): """Parse the forecasted precipitation data.""" result = {AVERAGE: None, TOTAL: None, TIMEFRAME: None} log.debug("Precipitation data: %s", data) lines = data.splitlines() index = 1 totalrain = 0 numberoflines = 0 nrlines = min(len(lines), round...
[ "def", "__parse_precipfc_data", "(", "data", ",", "timeframe", ")", ":", "result", "=", "{", "AVERAGE", ":", "None", ",", "TOTAL", ":", "None", ",", "TIMEFRAME", ":", "None", "}", "log", ".", "debug", "(", "\"Precipitation data: %s\"", ",", "data", ")", ...
Parse the forecasted precipitation data.
[ "Parse", "the", "forecasted", "precipitation", "data", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L435-L480
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__cond_from_desc
def __cond_from_desc(desc): """Get the condition name from the condition description.""" # '{ 'code': 'conditon', 'detailed', 'exact', 'exact_nl'} for code, [condition, detailed, exact, exact_nl] in __BRCONDITIONS.items(): if exact_nl == desc: return {CONDCODE: code, ...
python
def __cond_from_desc(desc): """Get the condition name from the condition description.""" # '{ 'code': 'conditon', 'detailed', 'exact', 'exact_nl'} for code, [condition, detailed, exact, exact_nl] in __BRCONDITIONS.items(): if exact_nl == desc: return {CONDCODE: code, ...
[ "def", "__cond_from_desc", "(", "desc", ")", ":", "for", "code", ",", "[", "condition", ",", "detailed", ",", "exact", ",", "exact_nl", "]", "in", "__BRCONDITIONS", ".", "items", "(", ")", ":", "if", "exact_nl", "==", "desc", ":", "return", "{", "CONDC...
Get the condition name from the condition description.
[ "Get", "the", "condition", "name", "from", "the", "condition", "description", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L483-L494
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__get_ws_distance
def __get_ws_distance(wstation, latitude, longitude): """Get the distance to the weatherstation from wstation section of json. wstation: weerstation section of buienradar json (dict) latitude: our latitude longitude: our longitude """ if wstation: try: wslat = float(wstation...
python
def __get_ws_distance(wstation, latitude, longitude): """Get the distance to the weatherstation from wstation section of json. wstation: weerstation section of buienradar json (dict) latitude: our latitude longitude: our longitude """ if wstation: try: wslat = float(wstation...
[ "def", "__get_ws_distance", "(", "wstation", ",", "latitude", ",", "longitude", ")", ":", "if", "wstation", ":", "try", ":", "wslat", "=", "float", "(", "wstation", "[", "__LAT", "]", ")", "wslon", "=", "float", "(", "wstation", "[", "__LON", "]", ")",...
Get the distance to the weatherstation from wstation section of json. wstation: weerstation section of buienradar json (dict) latitude: our latitude longitude: our longitude
[ "Get", "the", "distance", "to", "the", "weatherstation", "from", "wstation", "section", "of", "json", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L538-L559
train
mjj4791/python-buienradar
buienradar/buienradar_json.py
__getStationName
def __getStationName(name, id): """Construct a staiion name.""" name = name.replace("Meetstation", "") name = name.strip() name += " (%s)" % id return name
python
def __getStationName(name, id): """Construct a staiion name.""" name = name.replace("Meetstation", "") name = name.strip() name += " (%s)" % id return name
[ "def", "__getStationName", "(", "name", ",", "id", ")", ":", "name", "=", "name", ".", "replace", "(", "\"Meetstation\"", ",", "\"\"", ")", "name", "=", "name", ".", "strip", "(", ")", "name", "+=", "\" (%s)\"", "%", "id", "return", "name" ]
Construct a staiion name.
[ "Construct", "a", "staiion", "name", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_json.py#L575-L580
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.as_view
def as_view(cls, *args, **kwargs): """ This method is used within urls.py to create unique formwizard instances for every request. We need to override this method because we add some kwargs which are needed to make the formwizard usable. """ initkwargs = cls.get_initkwarg...
python
def as_view(cls, *args, **kwargs): """ This method is used within urls.py to create unique formwizard instances for every request. We need to override this method because we add some kwargs which are needed to make the formwizard usable. """ initkwargs = cls.get_initkwarg...
[ "def", "as_view", "(", "cls", ",", "*", "args", ",", "**", "kwargs", ")", ":", "initkwargs", "=", "cls", ".", "get_initkwargs", "(", "*", "args", ",", "**", "kwargs", ")", "return", "super", "(", "WizardView", ",", "cls", ")", ".", "as_view", "(", ...
This method is used within urls.py to create unique formwizard instances for every request. We need to override this method because we add some kwargs which are needed to make the formwizard usable.
[ "This", "method", "is", "used", "within", "urls", ".", "py", "to", "create", "unique", "formwizard", "instances", "for", "every", "request", ".", "We", "need", "to", "override", "this", "method", "because", "we", "add", "some", "kwargs", "which", "are", "n...
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L103-L110
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.get_initkwargs
def get_initkwargs(cls, form_list, initial_dict=None, instance_dict=None, condition_dict=None, *args, **kwargs): """ Creates a dict with all needed parameters for the form wizard instances. * `form_list` - is a list of forms. The list entries can be single form classes or tupl...
python
def get_initkwargs(cls, form_list, initial_dict=None, instance_dict=None, condition_dict=None, *args, **kwargs): """ Creates a dict with all needed parameters for the form wizard instances. * `form_list` - is a list of forms. The list entries can be single form classes or tupl...
[ "def", "get_initkwargs", "(", "cls", ",", "form_list", ",", "initial_dict", "=", "None", ",", "instance_dict", "=", "None", ",", "condition_dict", "=", "None", ",", "*", "args", ",", "**", "kwargs", ")", ":", "kwargs", ".", "update", "(", "{", "'initial_...
Creates a dict with all needed parameters for the form wizard instances. * `form_list` - is a list of forms. The list entries can be single form classes or tuples of (`step_name`, `form_class`). If you pass a list of forms, the formwizard will convert the class list to (`zero_base...
[ "Creates", "a", "dict", "with", "all", "needed", "parameters", "for", "the", "form", "wizard", "instances", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L113-L170
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.dispatch
def dispatch(self, request, *args, **kwargs): """ This method gets called by the routing engine. The first argument is `request` which contains a `HttpRequest` instance. The request is stored in `self.request` for later use. The storage instance is stored in `self.storage`. ...
python
def dispatch(self, request, *args, **kwargs): """ This method gets called by the routing engine. The first argument is `request` which contains a `HttpRequest` instance. The request is stored in `self.request` for later use. The storage instance is stored in `self.storage`. ...
[ "def", "dispatch", "(", "self", ",", "request", ",", "*", "args", ",", "**", "kwargs", ")", ":", "self", ".", "wizard_name", "=", "self", ".", "get_wizard_name", "(", ")", "self", ".", "prefix", "=", "self", ".", "get_prefix", "(", ")", "self", ".", ...
This method gets called by the routing engine. The first argument is `request` which contains a `HttpRequest` instance. The request is stored in `self.request` for later use. The storage instance is stored in `self.storage`. After processing the request using the `dispatch` method, the ...
[ "This", "method", "gets", "called", "by", "the", "routing", "engine", ".", "The", "first", "argument", "is", "request", "which", "contains", "a", "HttpRequest", "instance", ".", "The", "request", "is", "stored", "in", "self", ".", "request", "for", "later", ...
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L202-L222
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.get
def get(self, request, *args, **kwargs): """ This method handles GET requests. If a GET request reaches this point, the wizard assumes that the user just starts at the first step or wants to restart the process. The data of the wizard will be resetted before rendering the first ...
python
def get(self, request, *args, **kwargs): """ This method handles GET requests. If a GET request reaches this point, the wizard assumes that the user just starts at the first step or wants to restart the process. The data of the wizard will be resetted before rendering the first ...
[ "def", "get", "(", "self", ",", "request", ",", "*", "args", ",", "**", "kwargs", ")", ":", "self", ".", "storage", ".", "reset", "(", ")", "self", ".", "storage", ".", "current_step", "=", "self", ".", "steps", ".", "first", "return", "self", ".",...
This method handles GET requests. If a GET request reaches this point, the wizard assumes that the user just starts at the first step or wants to restart the process. The data of the wizard will be resetted before rendering the first step.
[ "This", "method", "handles", "GET", "requests", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L224-L236
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.post
def post(self, *args, **kwargs): """ This method handles POST requests. The wizard will render either the current step (if form validation wasn't successful), the next step (if the current step was stored successful) or the done view (if no more steps are available) """ ...
python
def post(self, *args, **kwargs): """ This method handles POST requests. The wizard will render either the current step (if form validation wasn't successful), the next step (if the current step was stored successful) or the done view (if no more steps are available) """ ...
[ "def", "post", "(", "self", ",", "*", "args", ",", "**", "kwargs", ")", ":", "wizard_prev_step", "=", "self", ".", "request", ".", "POST", ".", "get", "(", "'wizard_prev_step'", ",", "None", ")", "if", "wizard_prev_step", "and", "wizard_prev_step", "in", ...
This method handles POST requests. The wizard will render either the current step (if form validation wasn't successful), the next step (if the current step was stored successful) or the done view (if no more steps are available)
[ "This", "method", "handles", "POST", "requests", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L238-L285
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.render_done
def render_done(self, form, **kwargs): """ This method gets called when all forms passed. The method should also re-validate all steps to prevent manipulation. If any form don't validate, `render_revalidation_failure` should get called. If everything is fine call `done`. ...
python
def render_done(self, form, **kwargs): """ This method gets called when all forms passed. The method should also re-validate all steps to prevent manipulation. If any form don't validate, `render_revalidation_failure` should get called. If everything is fine call `done`. ...
[ "def", "render_done", "(", "self", ",", "form", ",", "**", "kwargs", ")", ":", "final_form_list", "=", "[", "]", "for", "form_key", "in", "self", ".", "get_form_list", "(", ")", ":", "form_obj", "=", "self", ".", "get_form", "(", "step", "=", "form_key...
This method gets called when all forms passed. The method should also re-validate all steps to prevent manipulation. If any form don't validate, `render_revalidation_failure` should get called. If everything is fine call `done`.
[ "This", "method", "gets", "called", "when", "all", "forms", "passed", ".", "The", "method", "should", "also", "re", "-", "validate", "all", "steps", "to", "prevent", "manipulation", ".", "If", "any", "form", "don", "t", "validate", "render_revalidation_failure...
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L303-L325
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.get_form_prefix
def get_form_prefix(self, step=None, form=None): """ Returns the prefix which will be used when calling the actual form for the given step. `step` contains the step-name, `form` the form which will be called with the returned prefix. If no step is given, the form_prefix will det...
python
def get_form_prefix(self, step=None, form=None): """ Returns the prefix which will be used when calling the actual form for the given step. `step` contains the step-name, `form` the form which will be called with the returned prefix. If no step is given, the form_prefix will det...
[ "def", "get_form_prefix", "(", "self", ",", "step", "=", "None", ",", "form", "=", "None", ")", ":", "if", "step", "is", "None", ":", "step", "=", "self", ".", "steps", ".", "current", "return", "str", "(", "step", ")" ]
Returns the prefix which will be used when calling the actual form for the given step. `step` contains the step-name, `form` the form which will be called with the returned prefix. If no step is given, the form_prefix will determine the current step automatically.
[ "Returns", "the", "prefix", "which", "will", "be", "used", "when", "calling", "the", "actual", "form", "for", "the", "given", "step", ".", "step", "contains", "the", "step", "-", "name", "form", "the", "form", "which", "will", "be", "called", "with", "th...
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L327-L338
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.get_form
def get_form(self, step=None, data=None, files=None): """ Constructs the form for a given `step`. If no `step` is defined, the current step will be determined automatically. The form will be initialized using the `data` argument to prefill the new form. If needed, instance or qu...
python
def get_form(self, step=None, data=None, files=None): """ Constructs the form for a given `step`. If no `step` is defined, the current step will be determined automatically. The form will be initialized using the `data` argument to prefill the new form. If needed, instance or qu...
[ "def", "get_form", "(", "self", ",", "step", "=", "None", ",", "data", "=", "None", ",", "files", "=", "None", ")", ":", "if", "step", "is", "None", ":", "step", "=", "self", ".", "steps", ".", "current", "kwargs", "=", "self", ".", "get_form_kwarg...
Constructs the form for a given `step`. If no `step` is defined, the current step will be determined automatically. The form will be initialized using the `data` argument to prefill the new form. If needed, instance or queryset (for `ModelForm` or `ModelFormSet`) will be added too.
[ "Constructs", "the", "form", "for", "a", "given", "step", ".", "If", "no", "step", "is", "defined", "the", "current", "step", "will", "be", "determined", "automatically", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L363-L388
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.render_revalidation_failure
def render_revalidation_failure(self, step, form, **kwargs): """ Gets called when a form doesn't validate when rendering the done view. By default, it changed the current step to failing forms step and renders the form. """ self.storage.current_step = step return ...
python
def render_revalidation_failure(self, step, form, **kwargs): """ Gets called when a form doesn't validate when rendering the done view. By default, it changed the current step to failing forms step and renders the form. """ self.storage.current_step = step return ...
[ "def", "render_revalidation_failure", "(", "self", ",", "step", ",", "form", ",", "**", "kwargs", ")", ":", "self", ".", "storage", ".", "current_step", "=", "step", "return", "self", ".", "render", "(", "form", ",", "**", "kwargs", ")" ]
Gets called when a form doesn't validate when rendering the done view. By default, it changed the current step to failing forms step and renders the form.
[ "Gets", "called", "when", "a", "form", "doesn", "t", "validate", "when", "rendering", "the", "done", "view", ".", "By", "default", "it", "changed", "the", "current", "step", "to", "failing", "forms", "step", "and", "renders", "the", "form", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L404-L411
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.get_all_cleaned_data
def get_all_cleaned_data(self): """ Returns a merged dictionary of all step cleaned_data dictionaries. If a step contains a `FormSet`, the key will be prefixed with formset and contain a list of the formset' cleaned_data dictionaries. """ cleaned_data = {} for for...
python
def get_all_cleaned_data(self): """ Returns a merged dictionary of all step cleaned_data dictionaries. If a step contains a `FormSet`, the key will be prefixed with formset and contain a list of the formset' cleaned_data dictionaries. """ cleaned_data = {} for for...
[ "def", "get_all_cleaned_data", "(", "self", ")", ":", "cleaned_data", "=", "{", "}", "for", "form_key", "in", "self", ".", "get_form_list", "(", ")", ":", "form_obj", "=", "self", ".", "get_form", "(", "step", "=", "form_key", ",", "data", "=", "self", ...
Returns a merged dictionary of all step cleaned_data dictionaries. If a step contains a `FormSet`, the key will be prefixed with formset and contain a list of the formset' cleaned_data dictionaries.
[ "Returns", "a", "merged", "dictionary", "of", "all", "step", "cleaned_data", "dictionaries", ".", "If", "a", "step", "contains", "a", "FormSet", "the", "key", "will", "be", "prefixed", "with", "formset", "and", "contain", "a", "list", "of", "the", "formset",...
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L427-L447
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.get_cleaned_data_for_step
def get_cleaned_data_for_step(self, step): """ Returns the cleaned data for a given `step`. Before returning the cleaned data, the stored values are being revalidated through the form. If the data doesn't validate, None will be returned. """ if step in self.form_list: ...
python
def get_cleaned_data_for_step(self, step): """ Returns the cleaned data for a given `step`. Before returning the cleaned data, the stored values are being revalidated through the form. If the data doesn't validate, None will be returned. """ if step in self.form_list: ...
[ "def", "get_cleaned_data_for_step", "(", "self", ",", "step", ")", ":", "if", "step", "in", "self", ".", "form_list", ":", "form_obj", "=", "self", ".", "get_form", "(", "step", "=", "step", ",", "data", "=", "self", ".", "storage", ".", "get_step_data",...
Returns the cleaned data for a given `step`. Before returning the cleaned data, the stored values are being revalidated through the form. If the data doesn't validate, None will be returned.
[ "Returns", "the", "cleaned", "data", "for", "a", "given", "step", ".", "Before", "returning", "the", "cleaned", "data", "the", "stored", "values", "are", "being", "revalidated", "through", "the", "form", ".", "If", "the", "data", "doesn", "t", "validate", ...
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L449-L461
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.get_step_index
def get_step_index(self, step=None): """ Returns the index for the given `step` name. If no step is given, the current step will be used to get the index. """ if step is None: step = self.steps.current return self.get_form_list().keyOrder.index(step)
python
def get_step_index(self, step=None): """ Returns the index for the given `step` name. If no step is given, the current step will be used to get the index. """ if step is None: step = self.steps.current return self.get_form_list().keyOrder.index(step)
[ "def", "get_step_index", "(", "self", ",", "step", "=", "None", ")", ":", "if", "step", "is", "None", ":", "step", "=", "self", ".", "steps", ".", "current", "return", "self", ".", "get_form_list", "(", ")", ".", "keyOrder", ".", "index", "(", "step"...
Returns the index for the given `step` name. If no step is given, the current step will be used to get the index.
[ "Returns", "the", "index", "for", "the", "given", "step", "name", ".", "If", "no", "step", "is", "given", "the", "current", "step", "will", "be", "used", "to", "get", "the", "index", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L491-L498
train
stephrdev/django-formwizard
formwizard/views.py
WizardView.render
def render(self, form=None, **kwargs): """ Returns a ``HttpResponse`` containing a all needed context data. """ form = form or self.get_form() context = self.get_context_data(form, **kwargs) return self.render_to_response(context)
python
def render(self, form=None, **kwargs): """ Returns a ``HttpResponse`` containing a all needed context data. """ form = form or self.get_form() context = self.get_context_data(form, **kwargs) return self.render_to_response(context)
[ "def", "render", "(", "self", ",", "form", "=", "None", ",", "**", "kwargs", ")", ":", "form", "=", "form", "or", "self", ".", "get_form", "(", ")", "context", "=", "self", ".", "get_context_data", "(", "form", ",", "**", "kwargs", ")", "return", "...
Returns a ``HttpResponse`` containing a all needed context data.
[ "Returns", "a", "HttpResponse", "containing", "a", "all", "needed", "context", "data", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L533-L539
train
stephrdev/django-formwizard
formwizard/views.py
NamedUrlWizardView.get_initkwargs
def get_initkwargs(cls, *args, **kwargs): """ We require a url_name to reverse URLs later. Additionally users can pass a done_step_name to change the URL name of the "done" view. """ assert 'url_name' in kwargs, 'URL name is needed to resolve correct wizard URLs' extra_kw...
python
def get_initkwargs(cls, *args, **kwargs): """ We require a url_name to reverse URLs later. Additionally users can pass a done_step_name to change the URL name of the "done" view. """ assert 'url_name' in kwargs, 'URL name is needed to resolve correct wizard URLs' extra_kw...
[ "def", "get_initkwargs", "(", "cls", ",", "*", "args", ",", "**", "kwargs", ")", ":", "assert", "'url_name'", "in", "kwargs", ",", "'URL name is needed to resolve correct wizard URLs'", "extra_kwargs", "=", "{", "'done_step_name'", ":", "kwargs", ".", "pop", "(", ...
We require a url_name to reverse URLs later. Additionally users can pass a done_step_name to change the URL name of the "done" view.
[ "We", "require", "a", "url_name", "to", "reverse", "URLs", "later", ".", "Additionally", "users", "can", "pass", "a", "done_step_name", "to", "change", "the", "URL", "name", "of", "the", "done", "view", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L572-L588
train
stephrdev/django-formwizard
formwizard/views.py
NamedUrlWizardView.get
def get(self, *args, **kwargs): """ This renders the form or, if needed, does the http redirects. """ step_url = kwargs.get('step', None) if step_url is None: if 'reset' in self.request.GET: self.storage.reset() self.storage.current_ste...
python
def get(self, *args, **kwargs): """ This renders the form or, if needed, does the http redirects. """ step_url = kwargs.get('step', None) if step_url is None: if 'reset' in self.request.GET: self.storage.reset() self.storage.current_ste...
[ "def", "get", "(", "self", ",", "*", "args", ",", "**", "kwargs", ")", ":", "step_url", "=", "kwargs", ".", "get", "(", "'step'", ",", "None", ")", "if", "step_url", "is", "None", ":", "if", "'reset'", "in", "self", ".", "request", ".", "GET", ":...
This renders the form or, if needed, does the http redirects.
[ "This", "renders", "the", "form", "or", "if", "needed", "does", "the", "http", "redirects", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L590-L635
train
stephrdev/django-formwizard
formwizard/views.py
NamedUrlWizardView.post
def post(self, *args, **kwargs): """ Do a redirect if user presses the prev. step button. The rest of this is super'd from FormWizard. """ prev_step = self.request.POST.get('wizard_prev_step', None) if prev_step and prev_step in self.get_form_list(): self.stor...
python
def post(self, *args, **kwargs): """ Do a redirect if user presses the prev. step button. The rest of this is super'd from FormWizard. """ prev_step = self.request.POST.get('wizard_prev_step', None) if prev_step and prev_step in self.get_form_list(): self.stor...
[ "def", "post", "(", "self", ",", "*", "args", ",", "**", "kwargs", ")", ":", "prev_step", "=", "self", ".", "request", ".", "POST", ".", "get", "(", "'wizard_prev_step'", ",", "None", ")", "if", "prev_step", "and", "prev_step", "in", "self", ".", "ge...
Do a redirect if user presses the prev. step button. The rest of this is super'd from FormWizard.
[ "Do", "a", "redirect", "if", "user", "presses", "the", "prev", ".", "step", "button", ".", "The", "rest", "of", "this", "is", "super", "d", "from", "FormWizard", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L637-L646
train
stephrdev/django-formwizard
formwizard/views.py
NamedUrlWizardView.render_next_step
def render_next_step(self, form, **kwargs): """ When using the NamedUrlFormWizard, we have to redirect to update the browser's URL to match the shown step. """ next_step = self.get_next_step() self.storage.current_step = next_step return redirect(self.url_name, st...
python
def render_next_step(self, form, **kwargs): """ When using the NamedUrlFormWizard, we have to redirect to update the browser's URL to match the shown step. """ next_step = self.get_next_step() self.storage.current_step = next_step return redirect(self.url_name, st...
[ "def", "render_next_step", "(", "self", ",", "form", ",", "**", "kwargs", ")", ":", "next_step", "=", "self", ".", "get_next_step", "(", ")", "self", ".", "storage", ".", "current_step", "=", "next_step", "return", "redirect", "(", "self", ".", "url_name",...
When using the NamedUrlFormWizard, we have to redirect to update the browser's URL to match the shown step.
[ "When", "using", "the", "NamedUrlFormWizard", "we", "have", "to", "redirect", "to", "update", "the", "browser", "s", "URL", "to", "match", "the", "shown", "step", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L648-L655
train
stephrdev/django-formwizard
formwizard/views.py
NamedUrlWizardView.render_revalidation_failure
def render_revalidation_failure(self, failed_step, form, **kwargs): """ When a step fails, we have to redirect the user to the first failing step. """ self.storage.current_step = failed_step return redirect(self.url_name, step=failed_step)
python
def render_revalidation_failure(self, failed_step, form, **kwargs): """ When a step fails, we have to redirect the user to the first failing step. """ self.storage.current_step = failed_step return redirect(self.url_name, step=failed_step)
[ "def", "render_revalidation_failure", "(", "self", ",", "failed_step", ",", "form", ",", "**", "kwargs", ")", ":", "self", ".", "storage", ".", "current_step", "=", "failed_step", "return", "redirect", "(", "self", ".", "url_name", ",", "step", "=", "failed_...
When a step fails, we have to redirect the user to the first failing step.
[ "When", "a", "step", "fails", "we", "have", "to", "redirect", "the", "user", "to", "the", "first", "failing", "step", "." ]
7b35165f0340aae4e8302d5b05b0cb443f6c9904
https://github.com/stephrdev/django-formwizard/blob/7b35165f0340aae4e8302d5b05b0cb443f6c9904/formwizard/views.py#L657-L663
train
budacom/trading-bots
trading_bots/core/storage.py
get_store
def get_store(logger: Logger=None) -> 'Store': """Get and configure the storage backend""" from trading_bots.conf import settings store_settings = settings.storage store = store_settings.get('name', 'json') if store == 'json': store = 'trading_bots.core.storage.JSONStore' elif store == '...
python
def get_store(logger: Logger=None) -> 'Store': """Get and configure the storage backend""" from trading_bots.conf import settings store_settings = settings.storage store = store_settings.get('name', 'json') if store == 'json': store = 'trading_bots.core.storage.JSONStore' elif store == '...
[ "def", "get_store", "(", "logger", ":", "Logger", "=", "None", ")", "->", "'Store'", ":", "from", "trading_bots", ".", "conf", "import", "settings", "store_settings", "=", "settings", ".", "storage", "store", "=", "store_settings", ".", "get", "(", "'name'",...
Get and configure the storage backend
[ "Get", "and", "configure", "the", "storage", "backend" ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/core/storage.py#L15-L26
train
coyo8/parinx
parinx/parser.py
parse_request_headers
def parse_request_headers(headers): """ convert headers in human readable format :param headers: :return: """ request_header_keys = set(headers.keys(lower=True)) request_meta_keys = set(XHEADERS_TO_ARGS_DICT.keys()) data_header_keys = request_header_keys.intersection(request_meta_keys) ...
python
def parse_request_headers(headers): """ convert headers in human readable format :param headers: :return: """ request_header_keys = set(headers.keys(lower=True)) request_meta_keys = set(XHEADERS_TO_ARGS_DICT.keys()) data_header_keys = request_header_keys.intersection(request_meta_keys) ...
[ "def", "parse_request_headers", "(", "headers", ")", ":", "request_header_keys", "=", "set", "(", "headers", ".", "keys", "(", "lower", "=", "True", ")", ")", "request_meta_keys", "=", "set", "(", "XHEADERS_TO_ARGS_DICT", ".", "keys", "(", ")", ")", "data_he...
convert headers in human readable format :param headers: :return:
[ "convert", "headers", "in", "human", "readable", "format" ]
6493798ceba8089345d970f71be4a896eb6b081d
https://github.com/coyo8/parinx/blob/6493798ceba8089345d970f71be4a896eb6b081d/parinx/parser.py#L48-L59
train
coyo8/parinx
parinx/parser.py
split_docstring
def split_docstring(docstring): """ Separates the method's description and paramter's :return: Return description string and list of fields strings """ docstring_list = [line.strip() for line in docstring.splitlines()] description_list = list( takewhile(lambda line: not (line.startswith...
python
def split_docstring(docstring): """ Separates the method's description and paramter's :return: Return description string and list of fields strings """ docstring_list = [line.strip() for line in docstring.splitlines()] description_list = list( takewhile(lambda line: not (line.startswith...
[ "def", "split_docstring", "(", "docstring", ")", ":", "docstring_list", "=", "[", "line", ".", "strip", "(", ")", "for", "line", "in", "docstring", ".", "splitlines", "(", ")", "]", "description_list", "=", "list", "(", "takewhile", "(", "lambda", "line", ...
Separates the method's description and paramter's :return: Return description string and list of fields strings
[ "Separates", "the", "method", "s", "description", "and", "paramter", "s" ]
6493798ceba8089345d970f71be4a896eb6b081d
https://github.com/coyo8/parinx/blob/6493798ceba8089345d970f71be4a896eb6b081d/parinx/parser.py#L125-L151
train
coyo8/parinx
parinx/parser.py
get_method_docstring
def get_method_docstring(cls, method_name): """ return method docstring if method docstring is empty we get docstring from parent :param method: :type method: :return: :rtype: """ method = getattr(cls, method_name, None) if method is None: return docstrign = inspect...
python
def get_method_docstring(cls, method_name): """ return method docstring if method docstring is empty we get docstring from parent :param method: :type method: :return: :rtype: """ method = getattr(cls, method_name, None) if method is None: return docstrign = inspect...
[ "def", "get_method_docstring", "(", "cls", ",", "method_name", ")", ":", "method", "=", "getattr", "(", "cls", ",", "method_name", ",", "None", ")", "if", "method", "is", "None", ":", "return", "docstrign", "=", "inspect", ".", "getdoc", "(", "method", "...
return method docstring if method docstring is empty we get docstring from parent :param method: :type method: :return: :rtype:
[ "return", "method", "docstring", "if", "method", "docstring", "is", "empty", "we", "get", "docstring", "from", "parent" ]
6493798ceba8089345d970f71be4a896eb6b081d
https://github.com/coyo8/parinx/blob/6493798ceba8089345d970f71be4a896eb6b081d/parinx/parser.py#L154-L176
train
mjj4791/python-buienradar
buienradar/buienradar.py
condition_from_code
def condition_from_code(condcode): """Get the condition name from the condition code.""" if condcode in __BRCONDITIONS: cond_data = __BRCONDITIONS[condcode] return {CONDCODE: condcode, CONDITION: cond_data[0], DETAILED: cond_data[1], EXACT: cond_d...
python
def condition_from_code(condcode): """Get the condition name from the condition code.""" if condcode in __BRCONDITIONS: cond_data = __BRCONDITIONS[condcode] return {CONDCODE: condcode, CONDITION: cond_data[0], DETAILED: cond_data[1], EXACT: cond_d...
[ "def", "condition_from_code", "(", "condcode", ")", ":", "if", "condcode", "in", "__BRCONDITIONS", ":", "cond_data", "=", "__BRCONDITIONS", "[", "condcode", "]", "return", "{", "CONDCODE", ":", "condcode", ",", "CONDITION", ":", "cond_data", "[", "0", "]", "...
Get the condition name from the condition code.
[ "Get", "the", "condition", "name", "from", "the", "condition", "code", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar.py#L41-L52
train
HEPData/hepdata-validator
hepdata_validator/submission_file_validator.py
SubmissionFileValidator.validate
def validate(self, **kwargs): """ Validates a submission file :param file_path: path to file to be loaded. :param data: pre loaded YAML object (optional). :return: Bool to indicate the validity of the file. """ try: submission_file_schema = json.load(...
python
def validate(self, **kwargs): """ Validates a submission file :param file_path: path to file to be loaded. :param data: pre loaded YAML object (optional). :return: Bool to indicate the validity of the file. """ try: submission_file_schema = json.load(...
[ "def", "validate", "(", "self", ",", "**", "kwargs", ")", ":", "try", ":", "submission_file_schema", "=", "json", ".", "load", "(", "open", "(", "self", ".", "default_schema_file", ",", "'r'", ")", ")", "additional_file_section_schema", "=", "json", ".", "...
Validates a submission file :param file_path: path to file to be loaded. :param data: pre loaded YAML object (optional). :return: Bool to indicate the validity of the file.
[ "Validates", "a", "submission", "file" ]
d0b0cab742a009c8f0e8aac9f8c8e434a524d43c
https://github.com/HEPData/hepdata-validator/blob/d0b0cab742a009c8f0e8aac9f8c8e434a524d43c/hepdata_validator/submission_file_validator.py#L26-L80
train
budacom/trading-bots
trading_bots/core/utils.py
load_class_by_name
def load_class_by_name(name: str): """Given a dotted path, returns the class""" mod_path, _, cls_name = name.rpartition('.') mod = importlib.import_module(mod_path) cls = getattr(mod, cls_name) return cls
python
def load_class_by_name(name: str): """Given a dotted path, returns the class""" mod_path, _, cls_name = name.rpartition('.') mod = importlib.import_module(mod_path) cls = getattr(mod, cls_name) return cls
[ "def", "load_class_by_name", "(", "name", ":", "str", ")", ":", "mod_path", ",", "_", ",", "cls_name", "=", "name", ".", "rpartition", "(", "'.'", ")", "mod", "=", "importlib", ".", "import_module", "(", "mod_path", ")", "cls", "=", "getattr", "(", "mo...
Given a dotted path, returns the class
[ "Given", "a", "dotted", "path", "returns", "the", "class" ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/core/utils.py#L7-L12
train
budacom/trading-bots
trading_bots/core/utils.py
load_yaml_file
def load_yaml_file(file_path: str): """Load a YAML file from path""" with codecs.open(file_path, 'r') as f: return yaml.safe_load(f)
python
def load_yaml_file(file_path: str): """Load a YAML file from path""" with codecs.open(file_path, 'r') as f: return yaml.safe_load(f)
[ "def", "load_yaml_file", "(", "file_path", ":", "str", ")", ":", "with", "codecs", ".", "open", "(", "file_path", ",", "'r'", ")", "as", "f", ":", "return", "yaml", ".", "safe_load", "(", "f", ")" ]
Load a YAML file from path
[ "Load", "a", "YAML", "file", "from", "path" ]
8cb68bb8d0b5f822108db1cc5dae336e3d3c3452
https://github.com/budacom/trading-bots/blob/8cb68bb8d0b5f822108db1cc5dae336e3d3c3452/trading_bots/core/utils.py#L15-L18
train
BD2KGenomics/protect
src/protect/addons/assess_immunotherapy_resistance.py
run_itx_resistance_assessment
def run_itx_resistance_assessment(job, rsem_files, univ_options, reports_options): """ A wrapper for assess_itx_resistance. :param dict rsem_files: Results from running rsem :param dict univ_options: Dict of universal options used by almost all tools :param dict reports_options: Options specific to...
python
def run_itx_resistance_assessment(job, rsem_files, univ_options, reports_options): """ A wrapper for assess_itx_resistance. :param dict rsem_files: Results from running rsem :param dict univ_options: Dict of universal options used by almost all tools :param dict reports_options: Options specific to...
[ "def", "run_itx_resistance_assessment", "(", "job", ",", "rsem_files", ",", "univ_options", ",", "reports_options", ")", ":", "return", "job", ".", "addChildJobFn", "(", "assess_itx_resistance", ",", "rsem_files", "[", "'rsem.genes.results'", "]", ",", "univ_options",...
A wrapper for assess_itx_resistance. :param dict rsem_files: Results from running rsem :param dict univ_options: Dict of universal options used by almost all tools :param dict reports_options: Options specific to reporting modules :return: The results of running assess_itx_resistance :rtype: toil.f...
[ "A", "wrapper", "for", "assess_itx_resistance", "." ]
06310682c50dcf8917b912c8e551299ff7ee41ce
https://github.com/BD2KGenomics/protect/blob/06310682c50dcf8917b912c8e551299ff7ee41ce/src/protect/addons/assess_immunotherapy_resistance.py#L26-L37
train
APSL/django-kaio
kaio/mixins/celeryconf.py
CeleryMixin.CELERY_RESULT_BACKEND
def CELERY_RESULT_BACKEND(self): """Redis result backend config""" # allow specify directly configured = get('CELERY_RESULT_BACKEND', None) if configured: return configured if not self._redis_available(): return None host, port = self.REDIS_HOST...
python
def CELERY_RESULT_BACKEND(self): """Redis result backend config""" # allow specify directly configured = get('CELERY_RESULT_BACKEND', None) if configured: return configured if not self._redis_available(): return None host, port = self.REDIS_HOST...
[ "def", "CELERY_RESULT_BACKEND", "(", "self", ")", ":", "configured", "=", "get", "(", "'CELERY_RESULT_BACKEND'", ",", "None", ")", "if", "configured", ":", "return", "configured", "if", "not", "self", ".", "_redis_available", "(", ")", ":", "return", "None", ...
Redis result backend config
[ "Redis", "result", "backend", "config" ]
b74b109bcfba31d973723bc419e2c95d190b80b7
https://github.com/APSL/django-kaio/blob/b74b109bcfba31d973723bc419e2c95d190b80b7/kaio/mixins/celeryconf.py#L35-L53
train
APSL/django-kaio
kaio/mixins/celeryconf.py
CeleryMixin.BROKER_TYPE
def BROKER_TYPE(self): """Custom setting allowing switch between rabbitmq, redis""" broker_type = get('BROKER_TYPE', DEFAULT_BROKER_TYPE) if broker_type not in SUPPORTED_BROKER_TYPES: log.warn("Specified BROKER_TYPE {} not supported. Backing to default {}".format( br...
python
def BROKER_TYPE(self): """Custom setting allowing switch between rabbitmq, redis""" broker_type = get('BROKER_TYPE', DEFAULT_BROKER_TYPE) if broker_type not in SUPPORTED_BROKER_TYPES: log.warn("Specified BROKER_TYPE {} not supported. Backing to default {}".format( br...
[ "def", "BROKER_TYPE", "(", "self", ")", ":", "broker_type", "=", "get", "(", "'BROKER_TYPE'", ",", "DEFAULT_BROKER_TYPE", ")", "if", "broker_type", "not", "in", "SUPPORTED_BROKER_TYPES", ":", "log", ".", "warn", "(", "\"Specified BROKER_TYPE {} not supported. Backing ...
Custom setting allowing switch between rabbitmq, redis
[ "Custom", "setting", "allowing", "switch", "between", "rabbitmq", "redis" ]
b74b109bcfba31d973723bc419e2c95d190b80b7
https://github.com/APSL/django-kaio/blob/b74b109bcfba31d973723bc419e2c95d190b80b7/kaio/mixins/celeryconf.py#L76-L85
train
APSL/django-kaio
kaio/mixins/celeryconf.py
CeleryMixin.BROKER_URL
def BROKER_URL(self): """Sets BROKER_URL depending on redis or rabbitmq settings""" # also allow specify broker_url broker_url = get('BROKER_URL', None) if broker_url: log.info("Using BROKER_URL setting: {}".format(broker_url)) return broker_url redis_av...
python
def BROKER_URL(self): """Sets BROKER_URL depending on redis or rabbitmq settings""" # also allow specify broker_url broker_url = get('BROKER_URL', None) if broker_url: log.info("Using BROKER_URL setting: {}".format(broker_url)) return broker_url redis_av...
[ "def", "BROKER_URL", "(", "self", ")", ":", "broker_url", "=", "get", "(", "'BROKER_URL'", ",", "None", ")", "if", "broker_url", ":", "log", ".", "info", "(", "\"Using BROKER_URL setting: {}\"", ".", "format", "(", "broker_url", ")", ")", "return", "broker_u...
Sets BROKER_URL depending on redis or rabbitmq settings
[ "Sets", "BROKER_URL", "depending", "on", "redis", "or", "rabbitmq", "settings" ]
b74b109bcfba31d973723bc419e2c95d190b80b7
https://github.com/APSL/django-kaio/blob/b74b109bcfba31d973723bc419e2c95d190b80b7/kaio/mixins/celeryconf.py#L122-L152
train
idlesign/steampak
steampak/webapi/resources/user.py
User.traverse_inventory
def traverse_inventory(self, item_filter=None): """Generates market Item objects for each inventory item. :param str item_filter: See `TAG_ITEM_CLASS_` contants from .market module. """ not self._intentory_raw and self._get_inventory_raw() for item in self._intentory_raw['rgDe...
python
def traverse_inventory(self, item_filter=None): """Generates market Item objects for each inventory item. :param str item_filter: See `TAG_ITEM_CLASS_` contants from .market module. """ not self._intentory_raw and self._get_inventory_raw() for item in self._intentory_raw['rgDe...
[ "def", "traverse_inventory", "(", "self", ",", "item_filter", "=", "None", ")", ":", "not", "self", ".", "_intentory_raw", "and", "self", ".", "_get_inventory_raw", "(", ")", "for", "item", "in", "self", ".", "_intentory_raw", "[", "'rgDescriptions'", "]", "...
Generates market Item objects for each inventory item. :param str item_filter: See `TAG_ITEM_CLASS_` contants from .market module.
[ "Generates", "market", "Item", "objects", "for", "each", "inventory", "item", "." ]
cb3f2c737e272b0360802d947e388df7e34f50f3
https://github.com/idlesign/steampak/blob/cb3f2c737e272b0360802d947e388df7e34f50f3/steampak/webapi/resources/user.py#L36-L57
train
HEPData/hepdata-validator
hepdata_validator/data_file_validator.py
DataFileValidator.validate
def validate(self, **kwargs): """ Validates a data file :param file_path: path to file to be loaded. :param data: pre loaded YAML object (optional). :return: Bool to indicate the validity of the file. """ default_data_schema = json.load(open(self.default_schema_...
python
def validate(self, **kwargs): """ Validates a data file :param file_path: path to file to be loaded. :param data: pre loaded YAML object (optional). :return: Bool to indicate the validity of the file. """ default_data_schema = json.load(open(self.default_schema_...
[ "def", "validate", "(", "self", ",", "**", "kwargs", ")", ":", "default_data_schema", "=", "json", ".", "load", "(", "open", "(", "self", ".", "default_schema_file", ",", "'r'", ")", ")", "data", "=", "kwargs", ".", "pop", "(", "\"data\"", ",", "None",...
Validates a data file :param file_path: path to file to be loaded. :param data: pre loaded YAML object (optional). :return: Bool to indicate the validity of the file.
[ "Validates", "a", "data", "file" ]
d0b0cab742a009c8f0e8aac9f8c8e434a524d43c
https://github.com/HEPData/hepdata-validator/blob/d0b0cab742a009c8f0e8aac9f8c8e434a524d43c/hepdata_validator/data_file_validator.py#L74-L119
train
proycon/python-timbl
timbl.py
b
def b(s): """Conversion to bytes""" if sys.version < '3': if isinstance(s, unicode): #pylint: disable=undefined-variable return s.encode('utf-8') else: return s
python
def b(s): """Conversion to bytes""" if sys.version < '3': if isinstance(s, unicode): #pylint: disable=undefined-variable return s.encode('utf-8') else: return s
[ "def", "b", "(", "s", ")", ":", "if", "sys", ".", "version", "<", "'3'", ":", "if", "isinstance", "(", "s", ",", "unicode", ")", ":", "return", "s", ".", "encode", "(", "'utf-8'", ")", "else", ":", "return", "s" ]
Conversion to bytes
[ "Conversion", "to", "bytes" ]
e3c876711fa7f60648cfb1e4066c421a65faf524
https://github.com/proycon/python-timbl/blob/e3c876711fa7f60648cfb1e4066c421a65faf524/timbl.py#L35-L41
train
proycon/python-timbl
timbl.py
TimblClassifier.validatefeatures
def validatefeatures(self,features): """Returns features in validated form, or raises an Exception. Mostly for internal use""" validatedfeatures = [] for feature in features: if isinstance(feature, int) or isinstance(feature, float): validatedfeatures.append( str(feat...
python
def validatefeatures(self,features): """Returns features in validated form, or raises an Exception. Mostly for internal use""" validatedfeatures = [] for feature in features: if isinstance(feature, int) or isinstance(feature, float): validatedfeatures.append( str(feat...
[ "def", "validatefeatures", "(", "self", ",", "features", ")", ":", "validatedfeatures", "=", "[", "]", "for", "feature", "in", "features", ":", "if", "isinstance", "(", "feature", ",", "int", ")", "or", "isinstance", "(", "feature", ",", "float", ")", ":...
Returns features in validated form, or raises an Exception. Mostly for internal use
[ "Returns", "features", "in", "validated", "form", "or", "raises", "an", "Exception", ".", "Mostly", "for", "internal", "use" ]
e3c876711fa7f60648cfb1e4066c421a65faf524
https://github.com/proycon/python-timbl/blob/e3c876711fa7f60648cfb1e4066c421a65faf524/timbl.py#L102-L114
train
proycon/python-timbl
timbl.py
TimblClassifier.addinstance
def addinstance(self, testfile, features, classlabel="?"): """Adds an instance to a specific file. Especially suitable for generating test files""" features = self.validatefeatures(features) if self.delimiter in classlabel: raise ValueError("Class label contains delimiter: " + self...
python
def addinstance(self, testfile, features, classlabel="?"): """Adds an instance to a specific file. Especially suitable for generating test files""" features = self.validatefeatures(features) if self.delimiter in classlabel: raise ValueError("Class label contains delimiter: " + self...
[ "def", "addinstance", "(", "self", ",", "testfile", ",", "features", ",", "classlabel", "=", "\"?\"", ")", ":", "features", "=", "self", ".", "validatefeatures", "(", "features", ")", "if", "self", ".", "delimiter", "in", "classlabel", ":", "raise", "Value...
Adds an instance to a specific file. Especially suitable for generating test files
[ "Adds", "an", "instance", "to", "a", "specific", "file", ".", "Especially", "suitable", "for", "generating", "test", "files" ]
e3c876711fa7f60648cfb1e4066c421a65faf524
https://github.com/proycon/python-timbl/blob/e3c876711fa7f60648cfb1e4066c421a65faf524/timbl.py#L247-L258
train
proycon/python-timbl
timbl.py
TimblClassifier.crossvalidate
def crossvalidate(self, foldsfile): """Train & Test using cross validation, testfile is a file that contains the filenames of all the folds!""" options = "-F " + self.format + " " + self.timbloptions + " -t cross_validate" print("Instantiating Timbl API : " + options,file=stderr) if sys...
python
def crossvalidate(self, foldsfile): """Train & Test using cross validation, testfile is a file that contains the filenames of all the folds!""" options = "-F " + self.format + " " + self.timbloptions + " -t cross_validate" print("Instantiating Timbl API : " + options,file=stderr) if sys...
[ "def", "crossvalidate", "(", "self", ",", "foldsfile", ")", ":", "options", "=", "\"-F \"", "+", "self", ".", "format", "+", "\" \"", "+", "self", ".", "timbloptions", "+", "\" -t cross_validate\"", "print", "(", "\"Instantiating Timbl API : \"", "+", "options",...
Train & Test using cross validation, testfile is a file that contains the filenames of all the folds!
[ "Train", "&", "Test", "using", "cross", "validation", "testfile", "is", "a", "file", "that", "contains", "the", "filenames", "of", "all", "the", "folds!" ]
e3c876711fa7f60648cfb1e4066c421a65faf524
https://github.com/proycon/python-timbl/blob/e3c876711fa7f60648cfb1e4066c421a65faf524/timbl.py#L271-L289
train
proycon/python-timbl
timbl.py
TimblClassifier.leaveoneout
def leaveoneout(self): """Train & Test using leave one out""" traintestfile = self.fileprefix + '.train' options = "-F " + self.format + " " + self.timbloptions + " -t leave_one_out" if sys.version < '3': self.api = timblapi.TimblAPI(b(options), b"") else: ...
python
def leaveoneout(self): """Train & Test using leave one out""" traintestfile = self.fileprefix + '.train' options = "-F " + self.format + " " + self.timbloptions + " -t leave_one_out" if sys.version < '3': self.api = timblapi.TimblAPI(b(options), b"") else: ...
[ "def", "leaveoneout", "(", "self", ")", ":", "traintestfile", "=", "self", ".", "fileprefix", "+", "'.train'", "options", "=", "\"-F \"", "+", "self", ".", "format", "+", "\" \"", "+", "self", ".", "timbloptions", "+", "\" -t leave_one_out\"", "if", "sys", ...
Train & Test using leave one out
[ "Train", "&", "Test", "using", "leave", "one", "out" ]
e3c876711fa7f60648cfb1e4066c421a65faf524
https://github.com/proycon/python-timbl/blob/e3c876711fa7f60648cfb1e4066c421a65faf524/timbl.py#L293-L311
train
inveniosoftware/invenio-access
invenio_access/ext.py
_AccessState.set_action_cache
def set_action_cache(self, action_key, data): """Store action needs and excludes. .. note:: The action is saved only if a cache system is defined. :param action_key: The unique action name. :param data: The action to be saved. """ if self.cache: self.cache.s...
python
def set_action_cache(self, action_key, data): """Store action needs and excludes. .. note:: The action is saved only if a cache system is defined. :param action_key: The unique action name. :param data: The action to be saved. """ if self.cache: self.cache.s...
[ "def", "set_action_cache", "(", "self", ",", "action_key", ",", "data", ")", ":", "if", "self", ".", "cache", ":", "self", ".", "cache", ".", "set", "(", "self", ".", "app", ".", "config", "[", "'ACCESS_ACTION_CACHE_PREFIX'", "]", "+", "action_key", ",",...
Store action needs and excludes. .. note:: The action is saved only if a cache system is defined. :param action_key: The unique action name. :param data: The action to be saved.
[ "Store", "action", "needs", "and", "excludes", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/ext.py#L52-L64
train
inveniosoftware/invenio-access
invenio_access/ext.py
_AccessState.get_action_cache
def get_action_cache(self, action_key): """Get action needs and excludes from cache. .. note:: It returns the action if a cache system is defined. :param action_key: The unique action name. :returns: The action stored in cache or ``None``. """ data = None if sel...
python
def get_action_cache(self, action_key): """Get action needs and excludes from cache. .. note:: It returns the action if a cache system is defined. :param action_key: The unique action name. :returns: The action stored in cache or ``None``. """ data = None if sel...
[ "def", "get_action_cache", "(", "self", ",", "action_key", ")", ":", "data", "=", "None", "if", "self", ".", "cache", ":", "data", "=", "self", ".", "cache", ".", "get", "(", "self", ".", "app", ".", "config", "[", "'ACCESS_ACTION_CACHE_PREFIX'", "]", ...
Get action needs and excludes from cache. .. note:: It returns the action if a cache system is defined. :param action_key: The unique action name. :returns: The action stored in cache or ``None``.
[ "Get", "action", "needs", "and", "excludes", "from", "cache", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/ext.py#L66-L80
train
inveniosoftware/invenio-access
invenio_access/ext.py
_AccessState.delete_action_cache
def delete_action_cache(self, action_key): """Delete action needs and excludes from cache. .. note:: It returns the action if a cache system is defined. :param action_key: The unique action name. """ if self.cache: self.cache.delete( self.app.config[...
python
def delete_action_cache(self, action_key): """Delete action needs and excludes from cache. .. note:: It returns the action if a cache system is defined. :param action_key: The unique action name. """ if self.cache: self.cache.delete( self.app.config[...
[ "def", "delete_action_cache", "(", "self", ",", "action_key", ")", ":", "if", "self", ".", "cache", ":", "self", ".", "cache", ".", "delete", "(", "self", ".", "app", ".", "config", "[", "'ACCESS_ACTION_CACHE_PREFIX'", "]", "+", "action_key", ")" ]
Delete action needs and excludes from cache. .. note:: It returns the action if a cache system is defined. :param action_key: The unique action name.
[ "Delete", "action", "needs", "and", "excludes", "from", "cache", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/ext.py#L82-L93
train
inveniosoftware/invenio-access
invenio_access/ext.py
_AccessState.register_action
def register_action(self, action): """Register an action to be showed in the actions list. .. note:: A action can't be registered two times. If it happens, then an assert exception will be raised. :param action: The action to be registered. """ assert action.value not i...
python
def register_action(self, action): """Register an action to be showed in the actions list. .. note:: A action can't be registered two times. If it happens, then an assert exception will be raised. :param action: The action to be registered. """ assert action.value not i...
[ "def", "register_action", "(", "self", ",", "action", ")", ":", "assert", "action", ".", "value", "not", "in", "self", ".", "actions", "self", ".", "actions", "[", "action", ".", "value", "]", "=", "action" ]
Register an action to be showed in the actions list. .. note:: A action can't be registered two times. If it happens, then an assert exception will be raised. :param action: The action to be registered.
[ "Register", "an", "action", "to", "be", "showed", "in", "the", "actions", "list", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/ext.py#L95-L104
train
inveniosoftware/invenio-access
invenio_access/ext.py
_AccessState.register_system_role
def register_system_role(self, system_role): """Register a system role. .. note:: A system role can't be registered two times. If it happens, then an assert exception will be raised. :param system_role: The system role to be registered. """ assert system_role.value not ...
python
def register_system_role(self, system_role): """Register a system role. .. note:: A system role can't be registered two times. If it happens, then an assert exception will be raised. :param system_role: The system role to be registered. """ assert system_role.value not ...
[ "def", "register_system_role", "(", "self", ",", "system_role", ")", ":", "assert", "system_role", ".", "value", "not", "in", "self", ".", "system_roles", "self", ".", "system_roles", "[", "system_role", ".", "value", "]", "=", "system_role" ]
Register a system role. .. note:: A system role can't be registered two times. If it happens, then an assert exception will be raised. :param system_role: The system role to be registered.
[ "Register", "a", "system", "role", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/ext.py#L114-L123
train
inveniosoftware/invenio-access
invenio_access/ext.py
_AccessState.load_entry_point_system_roles
def load_entry_point_system_roles(self, entry_point_group): """Load system roles from an entry point group. :param entry_point_group: The entrypoint for extensions. """ for ep in pkg_resources.iter_entry_points(group=entry_point_group): self.register_system_role(ep.load())
python
def load_entry_point_system_roles(self, entry_point_group): """Load system roles from an entry point group. :param entry_point_group: The entrypoint for extensions. """ for ep in pkg_resources.iter_entry_points(group=entry_point_group): self.register_system_role(ep.load())
[ "def", "load_entry_point_system_roles", "(", "self", ",", "entry_point_group", ")", ":", "for", "ep", "in", "pkg_resources", ".", "iter_entry_points", "(", "group", "=", "entry_point_group", ")", ":", "self", ".", "register_system_role", "(", "ep", ".", "load", ...
Load system roles from an entry point group. :param entry_point_group: The entrypoint for extensions.
[ "Load", "system", "roles", "from", "an", "entry", "point", "group", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/ext.py#L125-L131
train
mjj4791/python-buienradar
buienradar/__main__.py
main
def main(argv=sys.argv[1:]): """Parse argument and start main program.""" args = docopt(__doc__, argv=argv, version=pkg_resources.require('buienradar')[0].version) level = logging.ERROR if args['-v']: level = logging.INFO if args['-v'] == 2: level = logging.DEBUG ...
python
def main(argv=sys.argv[1:]): """Parse argument and start main program.""" args = docopt(__doc__, argv=argv, version=pkg_resources.require('buienradar')[0].version) level = logging.ERROR if args['-v']: level = logging.INFO if args['-v'] == 2: level = logging.DEBUG ...
[ "def", "main", "(", "argv", "=", "sys", ".", "argv", "[", "1", ":", "]", ")", ":", "args", "=", "docopt", "(", "__doc__", ",", "argv", "=", "argv", ",", "version", "=", "pkg_resources", ".", "require", "(", "'buienradar'", ")", "[", "0", "]", "."...
Parse argument and start main program.
[ "Parse", "argument", "and", "start", "main", "program", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/__main__.py#L29-L62
train
idlesign/steampak
steampak/libsteam/resources/stats.py
Achievement.global_unlock_percent
def global_unlock_percent(self): """Global achievement unlock percent. :rtype: float """ percent = CRef.cfloat() result = self._iface.get_ach_progress(self.name, percent) if not result: return 0.0 return float(percent)
python
def global_unlock_percent(self): """Global achievement unlock percent. :rtype: float """ percent = CRef.cfloat() result = self._iface.get_ach_progress(self.name, percent) if not result: return 0.0 return float(percent)
[ "def", "global_unlock_percent", "(", "self", ")", ":", "percent", "=", "CRef", ".", "cfloat", "(", ")", "result", "=", "self", ".", "_iface", ".", "get_ach_progress", "(", "self", ".", "name", ",", "percent", ")", "if", "not", "result", ":", "return", ...
Global achievement unlock percent. :rtype: float
[ "Global", "achievement", "unlock", "percent", "." ]
cb3f2c737e272b0360802d947e388df7e34f50f3
https://github.com/idlesign/steampak/blob/cb3f2c737e272b0360802d947e388df7e34f50f3/steampak/libsteam/resources/stats.py#L56-L67
train
idlesign/steampak
steampak/libsteam/resources/stats.py
Achievement.unlocked
def unlocked(self): """``True`` if achievement is unlocked. :rtype: bool """ achieved = CRef.cbool() result = self._iface.get_ach(self.name, achieved) if not result: return False return bool(achieved)
python
def unlocked(self): """``True`` if achievement is unlocked. :rtype: bool """ achieved = CRef.cbool() result = self._iface.get_ach(self.name, achieved) if not result: return False return bool(achieved)
[ "def", "unlocked", "(", "self", ")", ":", "achieved", "=", "CRef", ".", "cbool", "(", ")", "result", "=", "self", ".", "_iface", ".", "get_ach", "(", "self", ".", "name", ",", "achieved", ")", "if", "not", "result", ":", "return", "False", "return", ...
``True`` if achievement is unlocked. :rtype: bool
[ "True", "if", "achievement", "is", "unlocked", "." ]
cb3f2c737e272b0360802d947e388df7e34f50f3
https://github.com/idlesign/steampak/blob/cb3f2c737e272b0360802d947e388df7e34f50f3/steampak/libsteam/resources/stats.py#L78-L89
train
idlesign/steampak
steampak/libsteam/resources/stats.py
Achievement.unlock
def unlock(self, store=True): """Unlocks the achievement. :param bool store: Whether to send data to server immediately (as to get overlay notification). :rtype: bool """ result = self._iface.ach_unlock(self.name) result and store and self._store() return resul...
python
def unlock(self, store=True): """Unlocks the achievement. :param bool store: Whether to send data to server immediately (as to get overlay notification). :rtype: bool """ result = self._iface.ach_unlock(self.name) result and store and self._store() return resul...
[ "def", "unlock", "(", "self", ",", "store", "=", "True", ")", ":", "result", "=", "self", ".", "_iface", ".", "ach_unlock", "(", "self", ".", "name", ")", "result", "and", "store", "and", "self", ".", "_store", "(", ")", "return", "result" ]
Unlocks the achievement. :param bool store: Whether to send data to server immediately (as to get overlay notification). :rtype: bool
[ "Unlocks", "the", "achievement", "." ]
cb3f2c737e272b0360802d947e388df7e34f50f3
https://github.com/idlesign/steampak/blob/cb3f2c737e272b0360802d947e388df7e34f50f3/steampak/libsteam/resources/stats.py#L91-L101
train
mjj4791/python-buienradar
buienradar/buienradar_xml.py
__parse_ws_data
def __parse_ws_data(content, latitude=52.091579, longitude=5.119734): """Parse the buienradar xml and rain data.""" log.info("Parse ws data: latitude: %s, longitude: %s", latitude, longitude) result = {SUCCESS: False, MESSAGE: None, DATA: None} # convert the xml data into a dictionary: try: ...
python
def __parse_ws_data(content, latitude=52.091579, longitude=5.119734): """Parse the buienradar xml and rain data.""" log.info("Parse ws data: latitude: %s, longitude: %s", latitude, longitude) result = {SUCCESS: False, MESSAGE: None, DATA: None} # convert the xml data into a dictionary: try: ...
[ "def", "__parse_ws_data", "(", "content", ",", "latitude", "=", "52.091579", ",", "longitude", "=", "5.119734", ")", ":", "log", ".", "info", "(", "\"Parse ws data: latitude: %s, longitude: %s\"", ",", "latitude", ",", "longitude", ")", "result", "=", "{", "SUCC...
Parse the buienradar xml and rain data.
[ "Parse", "the", "buienradar", "xml", "and", "rain", "data", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_xml.py#L253-L296
train
mjj4791/python-buienradar
buienradar/buienradar_xml.py
__parse_loc_data
def __parse_loc_data(loc_data, result): """Parse the xml data from selected weatherstation.""" result[DATA] = {ATTRIBUTION: ATTRIBUTION_INFO, FORECAST: [], PRECIPITATION_FORECAST: None} for key, [value, func] in SENSOR_TYPES.items(): result[DATA][key] = None ...
python
def __parse_loc_data(loc_data, result): """Parse the xml data from selected weatherstation.""" result[DATA] = {ATTRIBUTION: ATTRIBUTION_INFO, FORECAST: [], PRECIPITATION_FORECAST: None} for key, [value, func] in SENSOR_TYPES.items(): result[DATA][key] = None ...
[ "def", "__parse_loc_data", "(", "loc_data", ",", "result", ")", ":", "result", "[", "DATA", "]", "=", "{", "ATTRIBUTION", ":", "ATTRIBUTION_INFO", ",", "FORECAST", ":", "[", "]", ",", "PRECIPITATION_FORECAST", ":", "None", "}", "for", "key", ",", "[", "v...
Parse the xml data from selected weatherstation.
[ "Parse", "the", "xml", "data", "from", "selected", "weatherstation", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_xml.py#L357-L392
train
mjj4791/python-buienradar
buienradar/buienradar_xml.py
__parse_fc_data
def __parse_fc_data(fc_data): """Parse the forecast data from the xml section.""" from buienradar.buienradar import condition_from_code fc = [] for daycnt in range(1, 6): daysection = __BRDAYFC % daycnt if daysection in fc_data: tmpsect = fc_data[daysection] fcdat...
python
def __parse_fc_data(fc_data): """Parse the forecast data from the xml section.""" from buienradar.buienradar import condition_from_code fc = [] for daycnt in range(1, 6): daysection = __BRDAYFC % daycnt if daysection in fc_data: tmpsect = fc_data[daysection] fcdat...
[ "def", "__parse_fc_data", "(", "fc_data", ")", ":", "from", "buienradar", ".", "buienradar", "import", "condition_from_code", "fc", "=", "[", "]", "for", "daycnt", "in", "range", "(", "1", ",", "6", ")", ":", "daysection", "=", "__BRDAYFC", "%", "daycnt", ...
Parse the forecast data from the xml section.
[ "Parse", "the", "forecast", "data", "from", "the", "xml", "section", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_xml.py#L395-L426
train
mjj4791/python-buienradar
buienradar/buienradar_xml.py
__get_ws_distance
def __get_ws_distance(wstation, latitude, longitude): """Get the distance to the weatherstation from wstation section of xml. wstation: weerstation section of buienradar xml (dict) latitude: our latitude longitude: our longitude """ if wstation: try: wslat = float(wstation[_...
python
def __get_ws_distance(wstation, latitude, longitude): """Get the distance to the weatherstation from wstation section of xml. wstation: weerstation section of buienradar xml (dict) latitude: our latitude longitude: our longitude """ if wstation: try: wslat = float(wstation[_...
[ "def", "__get_ws_distance", "(", "wstation", ",", "latitude", ",", "longitude", ")", ":", "if", "wstation", ":", "try", ":", "wslat", "=", "float", "(", "wstation", "[", "__BRLAT", "]", ")", "wslon", "=", "float", "(", "wstation", "[", "__BRLON", "]", ...
Get the distance to the weatherstation from wstation section of xml. wstation: weerstation section of buienradar xml (dict) latitude: our latitude longitude: our longitude
[ "Get", "the", "distance", "to", "the", "weatherstation", "from", "wstation", "section", "of", "xml", "." ]
a70436f54e007ce921d5210cb296cf3e4adf9d09
https://github.com/mjj4791/python-buienradar/blob/a70436f54e007ce921d5210cb296cf3e4adf9d09/buienradar/buienradar_xml.py#L445-L466
train
BD2KGenomics/protect
src/protect/binding_prediction/mhcii.py
predict_mhcii_binding
def predict_mhcii_binding(job, peptfile, allele, univ_options, mhcii_options): """ Predict binding for each peptide in `peptfile` to `allele` using the IEDB mhcii binding prediction tool. :param toil.fileStore.FileID peptfile: The input peptide fasta :param str allele: Allele to predict binding aga...
python
def predict_mhcii_binding(job, peptfile, allele, univ_options, mhcii_options): """ Predict binding for each peptide in `peptfile` to `allele` using the IEDB mhcii binding prediction tool. :param toil.fileStore.FileID peptfile: The input peptide fasta :param str allele: Allele to predict binding aga...
[ "def", "predict_mhcii_binding", "(", "job", ",", "peptfile", ",", "allele", ",", "univ_options", ",", "mhcii_options", ")", ":", "work_dir", "=", "os", ".", "getcwd", "(", ")", "input_files", "=", "{", "'peptfile.faa'", ":", "peptfile", "}", "input_files", "...
Predict binding for each peptide in `peptfile` to `allele` using the IEDB mhcii binding prediction tool. :param toil.fileStore.FileID peptfile: The input peptide fasta :param str allele: Allele to predict binding against :param dict univ_options: Dict of universal options used by almost all tools :...
[ "Predict", "binding", "for", "each", "peptide", "in", "peptfile", "to", "allele", "using", "the", "IEDB", "mhcii", "binding", "prediction", "tool", "." ]
06310682c50dcf8917b912c8e551299ff7ee41ce
https://github.com/BD2KGenomics/protect/blob/06310682c50dcf8917b912c8e551299ff7ee41ce/src/protect/binding_prediction/mhcii.py#L24-L76
train
BD2KGenomics/protect
src/protect/binding_prediction/mhcii.py
predict_netmhcii_binding
def predict_netmhcii_binding(job, peptfile, allele, univ_options, netmhciipan_options): """ Predict binding for each peptide in `peptfile` to `allele` using netMHCIIpan. :param toil.fileStore.FileID peptfile: The input peptide fasta :param str allele: Allele to predict binding against :param dict u...
python
def predict_netmhcii_binding(job, peptfile, allele, univ_options, netmhciipan_options): """ Predict binding for each peptide in `peptfile` to `allele` using netMHCIIpan. :param toil.fileStore.FileID peptfile: The input peptide fasta :param str allele: Allele to predict binding against :param dict u...
[ "def", "predict_netmhcii_binding", "(", "job", ",", "peptfile", ",", "allele", ",", "univ_options", ",", "netmhciipan_options", ")", ":", "work_dir", "=", "os", ".", "getcwd", "(", ")", "input_files", "=", "{", "'peptfile.faa'", ":", "peptfile", "}", "input_fi...
Predict binding for each peptide in `peptfile` to `allele` using netMHCIIpan. :param toil.fileStore.FileID peptfile: The input peptide fasta :param str allele: Allele to predict binding against :param dict univ_options: Dict of universal options used by almost all tools :param dict netmhciipan_options:...
[ "Predict", "binding", "for", "each", "peptide", "in", "peptfile", "to", "allele", "using", "netMHCIIpan", "." ]
06310682c50dcf8917b912c8e551299ff7ee41ce
https://github.com/BD2KGenomics/protect/blob/06310682c50dcf8917b912c8e551299ff7ee41ce/src/protect/binding_prediction/mhcii.py#L79-L118
train
inveniosoftware/invenio-access
invenio_access/permissions.py
_P.update
def update(self, permission): """In-place update of permissions.""" self.needs.update(permission.needs) self.excludes.update(permission.excludes)
python
def update(self, permission): """In-place update of permissions.""" self.needs.update(permission.needs) self.excludes.update(permission.excludes)
[ "def", "update", "(", "self", ",", "permission", ")", ":", "self", ".", "needs", ".", "update", "(", "permission", ".", "needs", ")", "self", ".", "excludes", ".", "update", "(", "permission", ".", "excludes", ")" ]
In-place update of permissions.
[ "In", "-", "place", "update", "of", "permissions", "." ]
3b033a4bdc110eb2f7e9f08f0744a780884bfc80
https://github.com/inveniosoftware/invenio-access/blob/3b033a4bdc110eb2f7e9f08f0744a780884bfc80/invenio_access/permissions.py#L61-L64
train