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
tinybike/weightedstats
weightedstats/__init__.py
weighted_mean
def weighted_mean(data, weights=None): """Calculate the weighted mean of a list.""" if weights is None: return mean(data) total_weight = float(sum(weights)) weights = [weight / total_weight for weight in weights] w_mean = 0 for i, weight in enumerate(weights): w_mean += weight * ...
python
def weighted_mean(data, weights=None): """Calculate the weighted mean of a list.""" if weights is None: return mean(data) total_weight = float(sum(weights)) weights = [weight / total_weight for weight in weights] w_mean = 0 for i, weight in enumerate(weights): w_mean += weight * ...
[ "def", "weighted_mean", "(", "data", ",", "weights", "=", "None", ")", ":", "if", "weights", "is", "None", ":", "return", "mean", "(", "data", ")", "total_weight", "=", "float", "(", "sum", "(", "weights", ")", ")", "weights", "=", "[", "weight", "/"...
Calculate the weighted mean of a list.
[ "Calculate", "the", "weighted", "mean", "of", "a", "list", "." ]
0e2638099dba7f288a1553a83e957a95522229da
https://github.com/tinybike/weightedstats/blob/0e2638099dba7f288a1553a83e957a95522229da/weightedstats/__init__.py#L43-L52
train
tinybike/weightedstats
weightedstats/__init__.py
median
def median(data): """Calculate the median of a list.""" data.sort() num_values = len(data) half = num_values // 2 if num_values % 2: return data[half] return 0.5 * (data[half-1] + data[half])
python
def median(data): """Calculate the median of a list.""" data.sort() num_values = len(data) half = num_values // 2 if num_values % 2: return data[half] return 0.5 * (data[half-1] + data[half])
[ "def", "median", "(", "data", ")", ":", "data", ".", "sort", "(", ")", "num_values", "=", "len", "(", "data", ")", "half", "=", "num_values", "//", "2", "if", "num_values", "%", "2", ":", "return", "data", "[", "half", "]", "return", "0.5", "*", ...
Calculate the median of a list.
[ "Calculate", "the", "median", "of", "a", "list", "." ]
0e2638099dba7f288a1553a83e957a95522229da
https://github.com/tinybike/weightedstats/blob/0e2638099dba7f288a1553a83e957a95522229da/weightedstats/__init__.py#L60-L67
train
tinybike/weightedstats
weightedstats/__init__.py
weighted_median
def weighted_median(data, weights=None): """Calculate the weighted median of a list.""" if weights is None: return median(data) midpoint = 0.5 * sum(weights) if any([j > midpoint for j in weights]): return data[weights.index(max(weights))] if any([j > 0 for j in weights]): so...
python
def weighted_median(data, weights=None): """Calculate the weighted median of a list.""" if weights is None: return median(data) midpoint = 0.5 * sum(weights) if any([j > midpoint for j in weights]): return data[weights.index(max(weights))] if any([j > 0 for j in weights]): so...
[ "def", "weighted_median", "(", "data", ",", "weights", "=", "None", ")", ":", "if", "weights", "is", "None", ":", "return", "median", "(", "data", ")", "midpoint", "=", "0.5", "*", "sum", "(", "weights", ")", "if", "any", "(", "[", "j", ">", "midpo...
Calculate the weighted median of a list.
[ "Calculate", "the", "weighted", "median", "of", "a", "list", "." ]
0e2638099dba7f288a1553a83e957a95522229da
https://github.com/tinybike/weightedstats/blob/0e2638099dba7f288a1553a83e957a95522229da/weightedstats/__init__.py#L69-L87
train
Robpol86/Flask-Redis-Helper
flask_redis.py
Redis.init_app
def init_app(self, app, config_prefix=None): """Actual method to read Redis settings from app configuration and initialize the StrictRedis instance. Positional arguments: app -- Flask application instance. config_prefix -- Prefix used in config key names in the Flask app's configuration...
python
def init_app(self, app, config_prefix=None): """Actual method to read Redis settings from app configuration and initialize the StrictRedis instance. Positional arguments: app -- Flask application instance. config_prefix -- Prefix used in config key names in the Flask app's configuration...
[ "def", "init_app", "(", "self", ",", "app", ",", "config_prefix", "=", "None", ")", ":", "# Normalize the prefix and add this instance to app.extensions.", "config_prefix", "=", "(", "config_prefix", "or", "'REDIS'", ")", ".", "rstrip", "(", "'_'", ")", ".", "uppe...
Actual method to read Redis settings from app configuration and initialize the StrictRedis instance. Positional arguments: app -- Flask application instance. config_prefix -- Prefix used in config key names in the Flask app's configuration. Useful for applications which interface wi...
[ "Actual", "method", "to", "read", "Redis", "settings", "from", "app", "configuration", "and", "initialize", "the", "StrictRedis", "instance", "." ]
5708b1287274ab5f09a57bba25b6f1e79cea9148
https://github.com/Robpol86/Flask-Redis-Helper/blob/5708b1287274ab5f09a57bba25b6f1e79cea9148/flask_redis.py#L187-L211
train
Julian/Filesystems
filesystems/common.py
_recursive_remove
def _recursive_remove(fs, path): """ A recursive, non-atomic directory removal. """ if not fs.is_link(path=path) and fs.is_dir(path=path): for child in fs.children(path=path): _recursive_remove(fs=fs, path=child) fs.remove_empty_directory(path=path) else: fs.remov...
python
def _recursive_remove(fs, path): """ A recursive, non-atomic directory removal. """ if not fs.is_link(path=path) and fs.is_dir(path=path): for child in fs.children(path=path): _recursive_remove(fs=fs, path=child) fs.remove_empty_directory(path=path) else: fs.remov...
[ "def", "_recursive_remove", "(", "fs", ",", "path", ")", ":", "if", "not", "fs", ".", "is_link", "(", "path", "=", "path", ")", "and", "fs", ".", "is_dir", "(", "path", "=", "path", ")", ":", "for", "child", "in", "fs", ".", "children", "(", "pat...
A recursive, non-atomic directory removal.
[ "A", "recursive", "non", "-", "atomic", "directory", "removal", "." ]
f366e877d6970712bb91d47167209ee2d1e489c5
https://github.com/Julian/Filesystems/blob/f366e877d6970712bb91d47167209ee2d1e489c5/filesystems/common.py#L37-L46
train
Julian/Filesystems
filesystems/common.py
create
def create( name, create_file, open_file, remove_file, create_directory, list_directory, remove_empty_directory, temporary_directory, stat, lstat, link, readlink, realpath=_realpath, remove=_recursive_remove, ): """ Create a new kind of filesystem. ...
python
def create( name, create_file, open_file, remove_file, create_directory, list_directory, remove_empty_directory, temporary_directory, stat, lstat, link, readlink, realpath=_realpath, remove=_recursive_remove, ): """ Create a new kind of filesystem. ...
[ "def", "create", "(", "name", ",", "create_file", ",", "open_file", ",", "remove_file", ",", "create_directory", ",", "list_directory", ",", "remove_empty_directory", ",", "temporary_directory", ",", "stat", ",", "lstat", ",", "link", ",", "readlink", ",", "real...
Create a new kind of filesystem.
[ "Create", "a", "new", "kind", "of", "filesystem", "." ]
f366e877d6970712bb91d47167209ee2d1e489c5
https://github.com/Julian/Filesystems/blob/f366e877d6970712bb91d47167209ee2d1e489c5/filesystems/common.py#L49-L110
train
Julian/Filesystems
filesystems/common.py
_exists
def _exists(fs, path): """ Check that the given path exists on the filesystem. Note that unlike `os.path.exists`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up. """ ...
python
def _exists(fs, path): """ Check that the given path exists on the filesystem. Note that unlike `os.path.exists`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up. """ ...
[ "def", "_exists", "(", "fs", ",", "path", ")", ":", "try", ":", "fs", ".", "stat", "(", "path", ")", "except", "(", "exceptions", ".", "FileNotFound", ",", "exceptions", ".", "NotADirectory", ")", ":", "return", "False", "return", "True" ]
Check that the given path exists on the filesystem. Note that unlike `os.path.exists`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up.
[ "Check", "that", "the", "given", "path", "exists", "on", "the", "filesystem", "." ]
f366e877d6970712bb91d47167209ee2d1e489c5
https://github.com/Julian/Filesystems/blob/f366e877d6970712bb91d47167209ee2d1e489c5/filesystems/common.py#L157-L170
train
Julian/Filesystems
filesystems/common.py
_is_dir
def _is_dir(fs, path): """ Check that the given path is a directory. Note that unlike `os.path.isdir`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up. """ try: ...
python
def _is_dir(fs, path): """ Check that the given path is a directory. Note that unlike `os.path.isdir`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up. """ try: ...
[ "def", "_is_dir", "(", "fs", ",", "path", ")", ":", "try", ":", "return", "stat", ".", "S_ISDIR", "(", "fs", ".", "stat", "(", "path", ")", ".", "st_mode", ")", "except", "exceptions", ".", "FileNotFound", ":", "return", "False" ]
Check that the given path is a directory. Note that unlike `os.path.isdir`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up.
[ "Check", "that", "the", "given", "path", "is", "a", "directory", "." ]
f366e877d6970712bb91d47167209ee2d1e489c5
https://github.com/Julian/Filesystems/blob/f366e877d6970712bb91d47167209ee2d1e489c5/filesystems/common.py#L173-L186
train
Julian/Filesystems
filesystems/common.py
_is_file
def _is_file(fs, path): """ Check that the given path is a file. Note that unlike `os.path.isfile`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up. """ try: ...
python
def _is_file(fs, path): """ Check that the given path is a file. Note that unlike `os.path.isfile`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up. """ try: ...
[ "def", "_is_file", "(", "fs", ",", "path", ")", ":", "try", ":", "return", "stat", ".", "S_ISREG", "(", "fs", ".", "stat", "(", "path", ")", ".", "st_mode", ")", "except", "exceptions", ".", "FileNotFound", ":", "return", "False" ]
Check that the given path is a file. Note that unlike `os.path.isfile`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up.
[ "Check", "that", "the", "given", "path", "is", "a", "file", "." ]
f366e877d6970712bb91d47167209ee2d1e489c5
https://github.com/Julian/Filesystems/blob/f366e877d6970712bb91d47167209ee2d1e489c5/filesystems/common.py#L189-L201
train
Julian/Filesystems
filesystems/common.py
_is_link
def _is_link(fs, path): """ Check that the given path is a symbolic link. Note that unlike `os.path.islink`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up. """ try...
python
def _is_link(fs, path): """ Check that the given path is a symbolic link. Note that unlike `os.path.islink`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up. """ try...
[ "def", "_is_link", "(", "fs", ",", "path", ")", ":", "try", ":", "return", "stat", ".", "S_ISLNK", "(", "fs", ".", "lstat", "(", "path", ")", ".", "st_mode", ")", "except", "exceptions", ".", "FileNotFound", ":", "return", "False" ]
Check that the given path is a symbolic link. Note that unlike `os.path.islink`, we *do* propagate file system errors other than a non-existent path or non-existent directory component. E.g., should EPERM or ELOOP be raised, an exception will bubble up.
[ "Check", "that", "the", "given", "path", "is", "a", "symbolic", "link", "." ]
f366e877d6970712bb91d47167209ee2d1e489c5
https://github.com/Julian/Filesystems/blob/f366e877d6970712bb91d47167209ee2d1e489c5/filesystems/common.py#L204-L217
train
rycus86/ghost-client
ghost_client/models.py
Controller.list
def list(self, **kwargs): """ Fetch a list of resources from the API. :param kwargs: Parameters for the request (see from and below https://api.ghost.org/docs/limit) :return: The list of items returned by the API wrapped as `Model` objects with pagination by `Mod...
python
def list(self, **kwargs): """ Fetch a list of resources from the API. :param kwargs: Parameters for the request (see from and below https://api.ghost.org/docs/limit) :return: The list of items returned by the API wrapped as `Model` objects with pagination by `Mod...
[ "def", "list", "(", "self", ",", "*", "*", "kwargs", ")", ":", "return", "ModelList", "(", "self", ".", "ghost", ".", "execute_get", "(", "'%s/'", "%", "self", ".", "_type_name", ",", "*", "*", "kwargs", ")", ",", "self", ".", "_type_name", ",", "s...
Fetch a list of resources from the API. :param kwargs: Parameters for the request (see from and below https://api.ghost.org/docs/limit) :return: The list of items returned by the API wrapped as `Model` objects with pagination by `ModelList`
[ "Fetch", "a", "list", "of", "resources", "from", "the", "API", "." ]
863d332801d2c1b8e7ad4573c7b16db78a7f8c8d
https://github.com/rycus86/ghost-client/blob/863d332801d2c1b8e7ad4573c7b16db78a7f8c8d/ghost_client/models.py#L141-L154
train
rycus86/ghost-client
ghost_client/models.py
Controller.get
def get(self, id=None, slug=None, **kwargs): """ Fetch a resource from the API. Either the `id` or the `slug` has to be present. :param id: The ID of the resource :param slug: The slug of the resource :param kwargs: Parameters for the request (see from and be...
python
def get(self, id=None, slug=None, **kwargs): """ Fetch a resource from the API. Either the `id` or the `slug` has to be present. :param id: The ID of the resource :param slug: The slug of the resource :param kwargs: Parameters for the request (see from and be...
[ "def", "get", "(", "self", ",", "id", "=", "None", ",", "slug", "=", "None", ",", "*", "*", "kwargs", ")", ":", "if", "id", ":", "items", "=", "self", ".", "ghost", ".", "execute_get", "(", "'%s/%s/'", "%", "(", "self", ".", "_type_name", ",", ...
Fetch a resource from the API. Either the `id` or the `slug` has to be present. :param id: The ID of the resource :param slug: The slug of the resource :param kwargs: Parameters for the request (see from and below https://api.ghost.org/docs/limit) :return: The item r...
[ "Fetch", "a", "resource", "from", "the", "API", ".", "Either", "the", "id", "or", "the", "slug", "has", "to", "be", "present", "." ]
863d332801d2c1b8e7ad4573c7b16db78a7f8c8d
https://github.com/rycus86/ghost-client/blob/863d332801d2c1b8e7ad4573c7b16db78a7f8c8d/ghost_client/models.py#L156-L180
train
rycus86/ghost-client
ghost_client/models.py
Controller.create
def create(self, **kwargs): """ Creates a new resource. :param kwargs: The properties of the resource :return: The created item returned by the API wrapped as a `Model` object """ response = self.ghost.execute_post('%s/' % self._type_name, json={ ...
python
def create(self, **kwargs): """ Creates a new resource. :param kwargs: The properties of the resource :return: The created item returned by the API wrapped as a `Model` object """ response = self.ghost.execute_post('%s/' % self._type_name, json={ ...
[ "def", "create", "(", "self", ",", "*", "*", "kwargs", ")", ":", "response", "=", "self", ".", "ghost", ".", "execute_post", "(", "'%s/'", "%", "self", ".", "_type_name", ",", "json", "=", "{", "self", ".", "_type_name", ":", "[", "kwargs", "]", "}...
Creates a new resource. :param kwargs: The properties of the resource :return: The created item returned by the API wrapped as a `Model` object
[ "Creates", "a", "new", "resource", "." ]
863d332801d2c1b8e7ad4573c7b16db78a7f8c8d
https://github.com/rycus86/ghost-client/blob/863d332801d2c1b8e7ad4573c7b16db78a7f8c8d/ghost_client/models.py#L182-L197
train
rycus86/ghost-client
ghost_client/models.py
PostController.create
def create(self, **kwargs): """ Creates a new post. When the `markdown` property is present, it will be automatically converted to `mobiledoc` on v1.+ of the server. :param kwargs: The properties of the post :return: The created `Post` object """ return ...
python
def create(self, **kwargs): """ Creates a new post. When the `markdown` property is present, it will be automatically converted to `mobiledoc` on v1.+ of the server. :param kwargs: The properties of the post :return: The created `Post` object """ return ...
[ "def", "create", "(", "self", ",", "*", "*", "kwargs", ")", ":", "return", "super", "(", "PostController", ",", "self", ")", ".", "create", "(", "*", "*", "self", ".", "_with_markdown", "(", "kwargs", ")", ")" ]
Creates a new post. When the `markdown` property is present, it will be automatically converted to `mobiledoc` on v1.+ of the server. :param kwargs: The properties of the post :return: The created `Post` object
[ "Creates", "a", "new", "post", ".", "When", "the", "markdown", "property", "is", "present", "it", "will", "be", "automatically", "converted", "to", "mobiledoc", "on", "v1", ".", "+", "of", "the", "server", "." ]
863d332801d2c1b8e7ad4573c7b16db78a7f8c8d
https://github.com/rycus86/ghost-client/blob/863d332801d2c1b8e7ad4573c7b16db78a7f8c8d/ghost_client/models.py#L242-L252
train
rycus86/ghost-client
ghost_client/models.py
PostController.update
def update(self, id, **kwargs): """ Updates an existing post. When the `markdown` property is present, it will be automatically converted to `mobiledoc` on v1.+ of the server. :param id: The ID of the existing post :param kwargs: The properties of the post to change ...
python
def update(self, id, **kwargs): """ Updates an existing post. When the `markdown` property is present, it will be automatically converted to `mobiledoc` on v1.+ of the server. :param id: The ID of the existing post :param kwargs: The properties of the post to change ...
[ "def", "update", "(", "self", ",", "id", ",", "*", "*", "kwargs", ")", ":", "return", "super", "(", "PostController", ",", "self", ")", ".", "update", "(", "id", ",", "*", "*", "self", ".", "_with_markdown", "(", "kwargs", ")", ")" ]
Updates an existing post. When the `markdown` property is present, it will be automatically converted to `mobiledoc` on v1.+ of the server. :param id: The ID of the existing post :param kwargs: The properties of the post to change :return: The updated `Post` object
[ "Updates", "an", "existing", "post", ".", "When", "the", "markdown", "property", "is", "present", "it", "will", "be", "automatically", "converted", "to", "mobiledoc", "on", "v1", ".", "+", "of", "the", "server", "." ]
863d332801d2c1b8e7ad4573c7b16db78a7f8c8d
https://github.com/rycus86/ghost-client/blob/863d332801d2c1b8e7ad4573c7b16db78a7f8c8d/ghost_client/models.py#L254-L265
train
ldomic/lintools
lintools/analysis/residence_time.py
Residence_time.define_residues_for_plotting_traj
def define_residues_for_plotting_traj(self, analysis_cutoff): """ Since plotting all residues that have made contact with the ligand over a lenghty simulation is not always feasible or desirable. Therefore, only the residues that have been in contact with ligand for a long amount of time...
python
def define_residues_for_plotting_traj(self, analysis_cutoff): """ Since plotting all residues that have made contact with the ligand over a lenghty simulation is not always feasible or desirable. Therefore, only the residues that have been in contact with ligand for a long amount of time...
[ "def", "define_residues_for_plotting_traj", "(", "self", ",", "analysis_cutoff", ")", ":", "self", ".", "residue_counts_fraction", "=", "{", "}", "#Calculate the fraction of time a residue spends in each simulation", "for", "traj", "in", "self", ".", "residue_counts", ":", ...
Since plotting all residues that have made contact with the ligand over a lenghty simulation is not always feasible or desirable. Therefore, only the residues that have been in contact with ligand for a long amount of time will be plotted in the final image. The function first determine...
[ "Since", "plotting", "all", "residues", "that", "have", "made", "contact", "with", "the", "ligand", "over", "a", "lenghty", "simulation", "is", "not", "always", "feasible", "or", "desirable", ".", "Therefore", "only", "the", "residues", "that", "have", "been",...
d825a4a7b35f3f857d3b81b46c9aee72b0ec697a
https://github.com/ldomic/lintools/blob/d825a4a7b35f3f857d3b81b46c9aee72b0ec697a/lintools/analysis/residence_time.py#L93-L125
train
ldomic/lintools
lintools/analysis/pistacking.py
PiStacking.detect_aromatic_rings_in_ligand
def detect_aromatic_rings_in_ligand(self): """Using rdkit to detect aromatic rings in ligand - size 4-6 atoms and all atoms are part of the ring. Saves this data in self.ligrings.""" self.ligrings = {} try: ring_info = self.topology_data.mol.GetRingInfo() self.ligand_ring...
python
def detect_aromatic_rings_in_ligand(self): """Using rdkit to detect aromatic rings in ligand - size 4-6 atoms and all atoms are part of the ring. Saves this data in self.ligrings.""" self.ligrings = {} try: ring_info = self.topology_data.mol.GetRingInfo() self.ligand_ring...
[ "def", "detect_aromatic_rings_in_ligand", "(", "self", ")", ":", "self", ".", "ligrings", "=", "{", "}", "try", ":", "ring_info", "=", "self", ".", "topology_data", ".", "mol", ".", "GetRingInfo", "(", ")", "self", ".", "ligand_ring_num", "=", "ring_info", ...
Using rdkit to detect aromatic rings in ligand - size 4-6 atoms and all atoms are part of the ring. Saves this data in self.ligrings.
[ "Using", "rdkit", "to", "detect", "aromatic", "rings", "in", "ligand", "-", "size", "4", "-", "6", "atoms", "and", "all", "atoms", "are", "part", "of", "the", "ring", ".", "Saves", "this", "data", "in", "self", ".", "ligrings", "." ]
d825a4a7b35f3f857d3b81b46c9aee72b0ec697a
https://github.com/ldomic/lintools/blob/d825a4a7b35f3f857d3b81b46c9aee72b0ec697a/lintools/analysis/pistacking.py#L69-L86
train
ldomic/lintools
lintools/analysis/pistacking.py
PiStacking.define_all_protein_rings
def define_all_protein_rings(self): """Make MDAnalysis atom selections for rings in protein residues that will be plotted in the final figure - since they are the only ones that should be analysed. Saves the rings in self.protein_rings dictionary. """ self.protein_rings = {} ...
python
def define_all_protein_rings(self): """Make MDAnalysis atom selections for rings in protein residues that will be plotted in the final figure - since they are the only ones that should be analysed. Saves the rings in self.protein_rings dictionary. """ self.protein_rings = {} ...
[ "def", "define_all_protein_rings", "(", "self", ")", ":", "self", ".", "protein_rings", "=", "{", "}", "i", "=", "0", "for", "residue", "in", "self", ".", "topology_data", ".", "dict_of_plotted_res", ":", "for", "ring", "in", "self", ".", "rings", ":", "...
Make MDAnalysis atom selections for rings in protein residues that will be plotted in the final figure - since they are the only ones that should be analysed. Saves the rings in self.protein_rings dictionary.
[ "Make", "MDAnalysis", "atom", "selections", "for", "rings", "in", "protein", "residues", "that", "will", "be", "plotted", "in", "the", "final", "figure", "-", "since", "they", "are", "the", "only", "ones", "that", "should", "be", "analysed", ".", "Saves", ...
d825a4a7b35f3f857d3b81b46c9aee72b0ec697a
https://github.com/ldomic/lintools/blob/d825a4a7b35f3f857d3b81b46c9aee72b0ec697a/lintools/analysis/pistacking.py#L115-L129
train
ldomic/lintools
lintools/analysis/pistacking.py
PiStacking.count_by_type
def count_by_type(self): """Count how many times each individual pi-pi interaction occured throughout the simulation. Returns numpy array.""" pistack = defaultdict(int) for contact in self.timeseries: #count by residue name not by proteinring pkey = (contact.ligan...
python
def count_by_type(self): """Count how many times each individual pi-pi interaction occured throughout the simulation. Returns numpy array.""" pistack = defaultdict(int) for contact in self.timeseries: #count by residue name not by proteinring pkey = (contact.ligan...
[ "def", "count_by_type", "(", "self", ")", ":", "pistack", "=", "defaultdict", "(", "int", ")", "for", "contact", "in", "self", ".", "timeseries", ":", "#count by residue name not by proteinring", "pkey", "=", "(", "contact", ".", "ligandring", ",", "contact", ...
Count how many times each individual pi-pi interaction occured throughout the simulation. Returns numpy array.
[ "Count", "how", "many", "times", "each", "individual", "pi", "-", "pi", "interaction", "occured", "throughout", "the", "simulation", ".", "Returns", "numpy", "array", "." ]
d825a4a7b35f3f857d3b81b46c9aee72b0ec697a
https://github.com/ldomic/lintools/blob/d825a4a7b35f3f857d3b81b46c9aee72b0ec697a/lintools/analysis/pistacking.py#L209-L222
train
eleme/meepo
examples/repl_db/repl.py
main
def main(master_dsn, slave_dsn, tables, blocking=False): """DB Replication app. This script will replicate data from mysql master to other databases( including mysql, postgres, sqlite). This script only support a very limited replication: 1. data only. The script only replicates data, so you have ...
python
def main(master_dsn, slave_dsn, tables, blocking=False): """DB Replication app. This script will replicate data from mysql master to other databases( including mysql, postgres, sqlite). This script only support a very limited replication: 1. data only. The script only replicates data, so you have ...
[ "def", "main", "(", "master_dsn", ",", "slave_dsn", ",", "tables", ",", "blocking", "=", "False", ")", ":", "# currently only supports mysql master", "assert", "master_dsn", ".", "startswith", "(", "\"mysql\"", ")", "logger", "=", "logging", ".", "getLogger", "(...
DB Replication app. This script will replicate data from mysql master to other databases( including mysql, postgres, sqlite). This script only support a very limited replication: 1. data only. The script only replicates data, so you have to make sure the tables already exists in slave db. 2. ...
[ "DB", "Replication", "app", "." ]
8212f0fe9b1d44be0c5de72d221a31c1d24bfe7a
https://github.com/eleme/meepo/blob/8212f0fe9b1d44be0c5de72d221a31c1d24bfe7a/examples/repl_db/repl.py#L131-L158
train
jam31118/vis
vis/layout.py
get_text_position_in_ax_coord
def get_text_position_in_ax_coord(ax, pos, scale=default_text_relative_padding): """Return text position corresponding to given 'pos'. The text alignment in the bounding box should be set accordingly in order to have a good-looking layout. This corresponding text alignment can be obtained by 'get_text_...
python
def get_text_position_in_ax_coord(ax, pos, scale=default_text_relative_padding): """Return text position corresponding to given 'pos'. The text alignment in the bounding box should be set accordingly in order to have a good-looking layout. This corresponding text alignment can be obtained by 'get_text_...
[ "def", "get_text_position_in_ax_coord", "(", "ax", ",", "pos", ",", "scale", "=", "default_text_relative_padding", ")", ":", "ratio", "=", "get_axes_ratio", "(", "ax", ")", "x", ",", "y", "=", "scale", ",", "scale", "if", "ratio", ">", "1", ":", "# vertica...
Return text position corresponding to given 'pos'. The text alignment in the bounding box should be set accordingly in order to have a good-looking layout. This corresponding text alignment can be obtained by 'get_text_alignment' or 'get_text_position_and_inner_alignment' function.
[ "Return", "text", "position", "corresponding", "to", "given", "pos", ".", "The", "text", "alignment", "in", "the", "bounding", "box", "should", "be", "set", "accordingly", "in", "order", "to", "have", "a", "good", "-", "looking", "layout", ".", "This", "co...
965ebec102c539b323d5756fef04153ac71e50d9
https://github.com/jam31118/vis/blob/965ebec102c539b323d5756fef04153ac71e50d9/vis/layout.py#L24-L44
train
jam31118/vis
vis/layout.py
get_text_position_and_inner_alignment
def get_text_position_and_inner_alignment(ax, pos, scale=default_text_relative_padding, with_transAxes_kwargs=True): """Return text position and its alignment in its bounding box. The returned position is given in Axes coordinate, as defined in matplotlib documentation on transformation. The retur...
python
def get_text_position_and_inner_alignment(ax, pos, scale=default_text_relative_padding, with_transAxes_kwargs=True): """Return text position and its alignment in its bounding box. The returned position is given in Axes coordinate, as defined in matplotlib documentation on transformation. The retur...
[ "def", "get_text_position_and_inner_alignment", "(", "ax", ",", "pos", ",", "scale", "=", "default_text_relative_padding", ",", "with_transAxes_kwargs", "=", "True", ")", ":", "xy", "=", "get_text_position_in_ax_coord", "(", "ax", ",", "pos", ",", "scale", "=", "s...
Return text position and its alignment in its bounding box. The returned position is given in Axes coordinate, as defined in matplotlib documentation on transformation. The returned alignment is given in dictionary, which can be put as a fontdict to text-relavent method.
[ "Return", "text", "position", "and", "its", "alignment", "in", "its", "bounding", "box", ".", "The", "returned", "position", "is", "given", "in", "Axes", "coordinate", "as", "defined", "in", "matplotlib", "documentation", "on", "transformation", "." ]
965ebec102c539b323d5756fef04153ac71e50d9
https://github.com/jam31118/vis/blob/965ebec102c539b323d5756fef04153ac71e50d9/vis/layout.py#L59-L71
train
jam31118/vis
vis/layout.py
get_text_position
def get_text_position(fig, ax, ha='left', va='top', pad_scale=1.0): """Return text position inside of the given axis""" ## Check and preprocess input arguments try: pad_scale = float(pad_scale) except: raise TypeError("'pad_scale should be of type 'float'") for arg in [va, ha]: ass...
python
def get_text_position(fig, ax, ha='left', va='top', pad_scale=1.0): """Return text position inside of the given axis""" ## Check and preprocess input arguments try: pad_scale = float(pad_scale) except: raise TypeError("'pad_scale should be of type 'float'") for arg in [va, ha]: ass...
[ "def", "get_text_position", "(", "fig", ",", "ax", ",", "ha", "=", "'left'", ",", "va", "=", "'top'", ",", "pad_scale", "=", "1.0", ")", ":", "## Check and preprocess input arguments", "try", ":", "pad_scale", "=", "float", "(", "pad_scale", ")", "except", ...
Return text position inside of the given axis
[ "Return", "text", "position", "inside", "of", "the", "given", "axis" ]
965ebec102c539b323d5756fef04153ac71e50d9
https://github.com/jam31118/vis/blob/965ebec102c539b323d5756fef04153ac71e50d9/vis/layout.py#L81-L118
train
robinandeer/puzzle
puzzle/server/factory.py
create_app
def create_app(config=None, config_obj=None): """Flask app factory function. Args: config (Optional[path]): path to a Python module config file config_obj (Optional[class]): Python config object """ app = Flask(__name__) # configure application from external configs configure_ap...
python
def create_app(config=None, config_obj=None): """Flask app factory function. Args: config (Optional[path]): path to a Python module config file config_obj (Optional[class]): Python config object """ app = Flask(__name__) # configure application from external configs configure_ap...
[ "def", "create_app", "(", "config", "=", "None", ",", "config_obj", "=", "None", ")", ":", "app", "=", "Flask", "(", "__name__", ")", "# configure application from external configs", "configure_app", "(", "app", ",", "config", "=", "config", ",", "config_obj", ...
Flask app factory function. Args: config (Optional[path]): path to a Python module config file config_obj (Optional[class]): Python config object
[ "Flask", "app", "factory", "function", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/server/factory.py#L12-L26
train
robinandeer/puzzle
puzzle/server/factory.py
configure_app
def configure_app(app, config=None, config_obj=None): """Configure application instance. Args: app (Flask): initialized Flask app instance config (Optional[path]): path to a Python module config file config_obj (Optional[class]): Python config object """ app.config.from_object(c...
python
def configure_app(app, config=None, config_obj=None): """Configure application instance. Args: app (Flask): initialized Flask app instance config (Optional[path]): path to a Python module config file config_obj (Optional[class]): Python config object """ app.config.from_object(c...
[ "def", "configure_app", "(", "app", ",", "config", "=", "None", ",", "config_obj", "=", "None", ")", ":", "app", ".", "config", ".", "from_object", "(", "config_obj", "or", "BaseConfig", ")", "if", "config", "is", "not", "None", ":", "app", ".", "confi...
Configure application instance. Args: app (Flask): initialized Flask app instance config (Optional[path]): path to a Python module config file config_obj (Optional[class]): Python config object
[ "Configure", "application", "instance", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/server/factory.py#L29-L39
train
robinandeer/puzzle
puzzle/server/factory.py
bind_extensions
def bind_extensions(app): """Configure extensions. Args: app (Flask): initialized Flask app instance """ # bind plugin to app object app.db = app.config['PUZZLE_BACKEND'] app.db.init_app(app) # bind bootstrap blueprints bootstrap.init_app(app) markdown(app) @app.templa...
python
def bind_extensions(app): """Configure extensions. Args: app (Flask): initialized Flask app instance """ # bind plugin to app object app.db = app.config['PUZZLE_BACKEND'] app.db.init_app(app) # bind bootstrap blueprints bootstrap.init_app(app) markdown(app) @app.templa...
[ "def", "bind_extensions", "(", "app", ")", ":", "# bind plugin to app object", "app", ".", "db", "=", "app", ".", "config", "[", "'PUZZLE_BACKEND'", "]", "app", ".", "db", ".", "init_app", "(", "app", ")", "# bind bootstrap blueprints", "bootstrap", ".", "init...
Configure extensions. Args: app (Flask): initialized Flask app instance
[ "Configure", "extensions", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/server/factory.py#L52-L68
train
ldomic/lintools
lintools/analysis/hbonds.py
HBonds.find_donors_and_acceptors_in_ligand
def find_donors_and_acceptors_in_ligand(self): """ Since MDAnalysis a pre-set list for acceptor and donor atoms for proteins and solvents from specific forcefields, it is necessary to find donor and acceptor atoms for the ligand molecule. This function uses RDKit and searches through lig...
python
def find_donors_and_acceptors_in_ligand(self): """ Since MDAnalysis a pre-set list for acceptor and donor atoms for proteins and solvents from specific forcefields, it is necessary to find donor and acceptor atoms for the ligand molecule. This function uses RDKit and searches through lig...
[ "def", "find_donors_and_acceptors_in_ligand", "(", "self", ")", ":", "atom_names", "=", "[", "x", ".", "name", "for", "x", "in", "self", ".", "topology_data", ".", "universe", ".", "ligand", "]", "try", ":", "for", "atom", "in", "self", ".", "topology_data...
Since MDAnalysis a pre-set list for acceptor and donor atoms for proteins and solvents from specific forcefields, it is necessary to find donor and acceptor atoms for the ligand molecule. This function uses RDKit and searches through ligand atoms to find matches for pre-set list of possible dono...
[ "Since", "MDAnalysis", "a", "pre", "-", "set", "list", "for", "acceptor", "and", "donor", "atoms", "for", "proteins", "and", "solvents", "from", "specific", "forcefields", "it", "is", "necessary", "to", "find", "donor", "and", "acceptor", "atoms", "for", "th...
d825a4a7b35f3f857d3b81b46c9aee72b0ec697a
https://github.com/ldomic/lintools/blob/d825a4a7b35f3f857d3b81b46c9aee72b0ec697a/lintools/analysis/hbonds.py#L64-L87
train
ldomic/lintools
lintools/analysis/hbonds.py
HBonds.count_by_type
def count_by_type(self,table,timesteps): """Count how many times each individual hydrogen bonds occured throughout the simulation. Returns numpy array.""" hbonds = defaultdict(int) for contact in table: #count by residue name not by proteinring pkey = (contact.don...
python
def count_by_type(self,table,timesteps): """Count how many times each individual hydrogen bonds occured throughout the simulation. Returns numpy array.""" hbonds = defaultdict(int) for contact in table: #count by residue name not by proteinring pkey = (contact.don...
[ "def", "count_by_type", "(", "self", ",", "table", ",", "timesteps", ")", ":", "hbonds", "=", "defaultdict", "(", "int", ")", "for", "contact", "in", "table", ":", "#count by residue name not by proteinring", "pkey", "=", "(", "contact", ".", "donor_idx", ",",...
Count how many times each individual hydrogen bonds occured throughout the simulation. Returns numpy array.
[ "Count", "how", "many", "times", "each", "individual", "hydrogen", "bonds", "occured", "throughout", "the", "simulation", ".", "Returns", "numpy", "array", "." ]
d825a4a7b35f3f857d3b81b46c9aee72b0ec697a
https://github.com/ldomic/lintools/blob/d825a4a7b35f3f857d3b81b46c9aee72b0ec697a/lintools/analysis/hbonds.py#L118-L131
train
ldomic/lintools
lintools/analysis/hbonds.py
HBonds.determine_hbonds_for_drawing
def determine_hbonds_for_drawing(self, analysis_cutoff): """ Since plotting all hydrogen bonds could lead to a messy plot, a cutoff has to be imple- mented. In this function the frequency of each hydrogen bond is summated and the total compared against analysis cutoff - a fraction multip...
python
def determine_hbonds_for_drawing(self, analysis_cutoff): """ Since plotting all hydrogen bonds could lead to a messy plot, a cutoff has to be imple- mented. In this function the frequency of each hydrogen bond is summated and the total compared against analysis cutoff - a fraction multip...
[ "def", "determine_hbonds_for_drawing", "(", "self", ",", "analysis_cutoff", ")", ":", "self", ".", "frequency", "=", "defaultdict", "(", "int", ")", "for", "traj", "in", "self", ".", "hbonds_by_type", ":", "for", "bond", "in", "self", ".", "hbonds_by_type", ...
Since plotting all hydrogen bonds could lead to a messy plot, a cutoff has to be imple- mented. In this function the frequency of each hydrogen bond is summated and the total compared against analysis cutoff - a fraction multiplied by trajectory count. Those hydrogen bonds that are present for l...
[ "Since", "plotting", "all", "hydrogen", "bonds", "could", "lead", "to", "a", "messy", "plot", "a", "cutoff", "has", "to", "be", "imple", "-", "mented", ".", "In", "this", "function", "the", "frequency", "of", "each", "hydrogen", "bond", "is", "summated", ...
d825a4a7b35f3f857d3b81b46c9aee72b0ec697a
https://github.com/ldomic/lintools/blob/d825a4a7b35f3f857d3b81b46c9aee72b0ec697a/lintools/analysis/hbonds.py#L153-L195
train
wistful/pympris
pympris/common.py
convert2dbus
def convert2dbus(value, signature): """Converts `value` type from python to dbus according signature. :param value: value to convert to dbus object :param str signature: dbus type signature. :returns: value in dbus type. """ if len(signature) == 2 and signature.startswith('a'): return d...
python
def convert2dbus(value, signature): """Converts `value` type from python to dbus according signature. :param value: value to convert to dbus object :param str signature: dbus type signature. :returns: value in dbus type. """ if len(signature) == 2 and signature.startswith('a'): return d...
[ "def", "convert2dbus", "(", "value", ",", "signature", ")", ":", "if", "len", "(", "signature", ")", "==", "2", "and", "signature", ".", "startswith", "(", "'a'", ")", ":", "return", "dbus", ".", "Array", "(", "value", ",", "signature", "=", "signature...
Converts `value` type from python to dbus according signature. :param value: value to convert to dbus object :param str signature: dbus type signature. :returns: value in dbus type.
[ "Converts", "value", "type", "from", "python", "to", "dbus", "according", "signature", "." ]
4bd64a1f0d151f2adfc392ab34fd9b38894786cb
https://github.com/wistful/pympris/blob/4bd64a1f0d151f2adfc392ab34fd9b38894786cb/pympris/common.py#L25-L40
train
wistful/pympris
pympris/common.py
convert
def convert(dbus_obj): """Converts dbus_obj from dbus type to python type. :param dbus_obj: dbus object. :returns: dbus_obj in python type. """ _isinstance = partial(isinstance, dbus_obj) ConvertType = namedtuple('ConvertType', 'pytype dbustypes') pyint = ConvertType(int, (dbus.Byte, dbus....
python
def convert(dbus_obj): """Converts dbus_obj from dbus type to python type. :param dbus_obj: dbus object. :returns: dbus_obj in python type. """ _isinstance = partial(isinstance, dbus_obj) ConvertType = namedtuple('ConvertType', 'pytype dbustypes') pyint = ConvertType(int, (dbus.Byte, dbus....
[ "def", "convert", "(", "dbus_obj", ")", ":", "_isinstance", "=", "partial", "(", "isinstance", ",", "dbus_obj", ")", "ConvertType", "=", "namedtuple", "(", "'ConvertType'", ",", "'pytype dbustypes'", ")", "pyint", "=", "ConvertType", "(", "int", ",", "(", "d...
Converts dbus_obj from dbus type to python type. :param dbus_obj: dbus object. :returns: dbus_obj in python type.
[ "Converts", "dbus_obj", "from", "dbus", "type", "to", "python", "type", "." ]
4bd64a1f0d151f2adfc392ab34fd9b38894786cb
https://github.com/wistful/pympris/blob/4bd64a1f0d151f2adfc392ab34fd9b38894786cb/pympris/common.py#L43-L77
train
wistful/pympris
pympris/common.py
converter
def converter(f): """Decorator to convert value from dbus type to python type.""" @wraps(f) def wrapper(*args, **kwds): return convert(f(*args, **kwds)) return wrapper
python
def converter(f): """Decorator to convert value from dbus type to python type.""" @wraps(f) def wrapper(*args, **kwds): return convert(f(*args, **kwds)) return wrapper
[ "def", "converter", "(", "f", ")", ":", "@", "wraps", "(", "f", ")", "def", "wrapper", "(", "*", "args", ",", "*", "*", "kwds", ")", ":", "return", "convert", "(", "f", "(", "*", "args", ",", "*", "*", "kwds", ")", ")", "return", "wrapper" ]
Decorator to convert value from dbus type to python type.
[ "Decorator", "to", "convert", "value", "from", "dbus", "type", "to", "python", "type", "." ]
4bd64a1f0d151f2adfc392ab34fd9b38894786cb
https://github.com/wistful/pympris/blob/4bd64a1f0d151f2adfc392ab34fd9b38894786cb/pympris/common.py#L80-L85
train
wistful/pympris
pympris/common.py
exception_wrapper
def exception_wrapper(f): """Decorator to convert dbus exception to pympris exception.""" @wraps(f) def wrapper(*args, **kwds): try: return f(*args, **kwds) except dbus.exceptions.DBusException as err: _args = err.args raise PyMPRISException(*_args) re...
python
def exception_wrapper(f): """Decorator to convert dbus exception to pympris exception.""" @wraps(f) def wrapper(*args, **kwds): try: return f(*args, **kwds) except dbus.exceptions.DBusException as err: _args = err.args raise PyMPRISException(*_args) re...
[ "def", "exception_wrapper", "(", "f", ")", ":", "@", "wraps", "(", "f", ")", "def", "wrapper", "(", "*", "args", ",", "*", "*", "kwds", ")", ":", "try", ":", "return", "f", "(", "*", "args", ",", "*", "*", "kwds", ")", "except", "dbus", ".", ...
Decorator to convert dbus exception to pympris exception.
[ "Decorator", "to", "convert", "dbus", "exception", "to", "pympris", "exception", "." ]
4bd64a1f0d151f2adfc392ab34fd9b38894786cb
https://github.com/wistful/pympris/blob/4bd64a1f0d151f2adfc392ab34fd9b38894786cb/pympris/common.py#L88-L97
train
wistful/pympris
pympris/common.py
available_players
def available_players(): """Searchs and returns set of unique names of objects which implements MPRIS2 interfaces. :returns: set of unique names. :type: set """ bus = dbus.SessionBus() players = set() for name in filter(lambda item: item.startswith(MPRIS_NAME_PREFIX), ...
python
def available_players(): """Searchs and returns set of unique names of objects which implements MPRIS2 interfaces. :returns: set of unique names. :type: set """ bus = dbus.SessionBus() players = set() for name in filter(lambda item: item.startswith(MPRIS_NAME_PREFIX), ...
[ "def", "available_players", "(", ")", ":", "bus", "=", "dbus", ".", "SessionBus", "(", ")", "players", "=", "set", "(", ")", "for", "name", "in", "filter", "(", "lambda", "item", ":", "item", ".", "startswith", "(", "MPRIS_NAME_PREFIX", ")", ",", "bus"...
Searchs and returns set of unique names of objects which implements MPRIS2 interfaces. :returns: set of unique names. :type: set
[ "Searchs", "and", "returns", "set", "of", "unique", "names", "of", "objects", "which", "implements", "MPRIS2", "interfaces", "." ]
4bd64a1f0d151f2adfc392ab34fd9b38894786cb
https://github.com/wistful/pympris/blob/4bd64a1f0d151f2adfc392ab34fd9b38894786cb/pympris/common.py#L100-L113
train
wistful/pympris
pympris/common.py
signal_wrapper
def signal_wrapper(f): """Decorator converts function's arguments from dbus types to python.""" @wraps(f) def wrapper(*args, **kwds): args = map(convert, args) kwds = {convert(k): convert(v) for k, v in kwds.items()} return f(*args, **kwds) return wrapper
python
def signal_wrapper(f): """Decorator converts function's arguments from dbus types to python.""" @wraps(f) def wrapper(*args, **kwds): args = map(convert, args) kwds = {convert(k): convert(v) for k, v in kwds.items()} return f(*args, **kwds) return wrapper
[ "def", "signal_wrapper", "(", "f", ")", ":", "@", "wraps", "(", "f", ")", "def", "wrapper", "(", "*", "args", ",", "*", "*", "kwds", ")", ":", "args", "=", "map", "(", "convert", ",", "args", ")", "kwds", "=", "{", "convert", "(", "k", ")", "...
Decorator converts function's arguments from dbus types to python.
[ "Decorator", "converts", "function", "s", "arguments", "from", "dbus", "types", "to", "python", "." ]
4bd64a1f0d151f2adfc392ab34fd9b38894786cb
https://github.com/wistful/pympris/blob/4bd64a1f0d151f2adfc392ab34fd9b38894786cb/pympris/common.py#L124-L131
train
wistful/pympris
pympris/common.py
filter_properties_signals
def filter_properties_signals(f, signal_iface_name): """Filters signals by iface name. :param function f: function to wrap. :param str signal_iface_name: interface name. """ @wraps(f) def wrapper(iface, changed_props, invalidated_props, *args, **kwargs): if iface == signal_iface_name: ...
python
def filter_properties_signals(f, signal_iface_name): """Filters signals by iface name. :param function f: function to wrap. :param str signal_iface_name: interface name. """ @wraps(f) def wrapper(iface, changed_props, invalidated_props, *args, **kwargs): if iface == signal_iface_name: ...
[ "def", "filter_properties_signals", "(", "f", ",", "signal_iface_name", ")", ":", "@", "wraps", "(", "f", ")", "def", "wrapper", "(", "iface", ",", "changed_props", ",", "invalidated_props", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "if", "ifa...
Filters signals by iface name. :param function f: function to wrap. :param str signal_iface_name: interface name.
[ "Filters", "signals", "by", "iface", "name", "." ]
4bd64a1f0d151f2adfc392ab34fd9b38894786cb
https://github.com/wistful/pympris/blob/4bd64a1f0d151f2adfc392ab34fd9b38894786cb/pympris/common.py#L134-L145
train
inveniosoftware-contrib/json-merger
json_merger/contrib/inspirehep/match.py
distance_function_match
def distance_function_match(l1, l2, thresh, dist_fn, norm_funcs=[]): """Returns pairs of matching indices from l1 and l2.""" common = [] # We will keep track of the global index in the source list as we # will successively reduce their sizes. l1 = list(enumerate(l1)) l2 = list(enumerate(l2)) ...
python
def distance_function_match(l1, l2, thresh, dist_fn, norm_funcs=[]): """Returns pairs of matching indices from l1 and l2.""" common = [] # We will keep track of the global index in the source list as we # will successively reduce their sizes. l1 = list(enumerate(l1)) l2 = list(enumerate(l2)) ...
[ "def", "distance_function_match", "(", "l1", ",", "l2", ",", "thresh", ",", "dist_fn", ",", "norm_funcs", "=", "[", "]", ")", ":", "common", "=", "[", "]", "# We will keep track of the global index in the source list as we", "# will successively reduce their sizes.", "l...
Returns pairs of matching indices from l1 and l2.
[ "Returns", "pairs", "of", "matching", "indices", "from", "l1", "and", "l2", "." ]
adc6d372da018427e1db7b92424d3471e01a4118
https://github.com/inveniosoftware-contrib/json-merger/blob/adc6d372da018427e1db7b92424d3471e01a4118/json_merger/contrib/inspirehep/match.py#L30-L76
train
inveniosoftware-contrib/json-merger
json_merger/contrib/inspirehep/match.py
_match_by_norm_func
def _match_by_norm_func(l1, l2, norm_fn, dist_fn, thresh): """Matches elements in l1 and l2 using normalization functions. Splits the elements in each list into buckets given by the normalization function. If the same normalization value points to a bucket from the first list and a bucket from the seco...
python
def _match_by_norm_func(l1, l2, norm_fn, dist_fn, thresh): """Matches elements in l1 and l2 using normalization functions. Splits the elements in each list into buckets given by the normalization function. If the same normalization value points to a bucket from the first list and a bucket from the seco...
[ "def", "_match_by_norm_func", "(", "l1", ",", "l2", ",", "norm_fn", ",", "dist_fn", ",", "thresh", ")", ":", "common", "=", "[", "]", "l1_only_idx", "=", "set", "(", "range", "(", "len", "(", "l1", ")", ")", ")", "l2_only_idx", "=", "set", "(", "ra...
Matches elements in l1 and l2 using normalization functions. Splits the elements in each list into buckets given by the normalization function. If the same normalization value points to a bucket from the first list and a bucket from the second list, both with a single element we consider the elements i...
[ "Matches", "elements", "in", "l1", "and", "l2", "using", "normalization", "functions", "." ]
adc6d372da018427e1db7b92424d3471e01a4118
https://github.com/inveniosoftware-contrib/json-merger/blob/adc6d372da018427e1db7b92424d3471e01a4118/json_merger/contrib/inspirehep/match.py#L79-L138
train
inveniosoftware-contrib/json-merger
json_merger/contrib/inspirehep/match.py
_match_munkres
def _match_munkres(l1, l2, dist_matrix, thresh): """Matches two lists using the Munkres algorithm. Returns pairs of matching indices from the two lists by minimizing the sum of the distance between the linked elements and taking only the elements which have the distance between them less (or equal) tha...
python
def _match_munkres(l1, l2, dist_matrix, thresh): """Matches two lists using the Munkres algorithm. Returns pairs of matching indices from the two lists by minimizing the sum of the distance between the linked elements and taking only the elements which have the distance between them less (or equal) tha...
[ "def", "_match_munkres", "(", "l1", ",", "l2", ",", "dist_matrix", ",", "thresh", ")", ":", "equal_dist_matches", "=", "set", "(", ")", "m", "=", "Munkres", "(", ")", "indices", "=", "m", ".", "compute", "(", "dist_matrix", ")", "for", "l1_idx", ",", ...
Matches two lists using the Munkres algorithm. Returns pairs of matching indices from the two lists by minimizing the sum of the distance between the linked elements and taking only the elements which have the distance between them less (or equal) than the threshold.
[ "Matches", "two", "lists", "using", "the", "Munkres", "algorithm", "." ]
adc6d372da018427e1db7b92424d3471e01a4118
https://github.com/inveniosoftware-contrib/json-merger/blob/adc6d372da018427e1db7b92424d3471e01a4118/json_merger/contrib/inspirehep/match.py#L141-L163
train
robinandeer/puzzle
puzzle/plugins/sql/mixins/actions/suspect.py
SuspectActions.add_suspect
def add_suspect(self, case_obj, variant_obj): """Link a suspect to a case.""" new_suspect = Suspect(case=case_obj, variant_id=variant_obj.variant_id, name=variant_obj.display_name) self.session.add(new_suspect) self.save() return new_suspect
python
def add_suspect(self, case_obj, variant_obj): """Link a suspect to a case.""" new_suspect = Suspect(case=case_obj, variant_id=variant_obj.variant_id, name=variant_obj.display_name) self.session.add(new_suspect) self.save() return new_suspect
[ "def", "add_suspect", "(", "self", ",", "case_obj", ",", "variant_obj", ")", ":", "new_suspect", "=", "Suspect", "(", "case", "=", "case_obj", ",", "variant_id", "=", "variant_obj", ".", "variant_id", ",", "name", "=", "variant_obj", ".", "display_name", ")"...
Link a suspect to a case.
[ "Link", "a", "suspect", "to", "a", "case", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/sql/mixins/actions/suspect.py#L10-L16
train
robinandeer/puzzle
puzzle/plugins/sql/mixins/actions/suspect.py
SuspectActions.delete_suspect
def delete_suspect(self, suspect_id): """De-link a suspect from a case.""" suspect_obj = self.suspect(suspect_id) logger.debug("Deleting suspect {0}".format(suspect_obj.name)) self.session.delete(suspect_obj) self.save()
python
def delete_suspect(self, suspect_id): """De-link a suspect from a case.""" suspect_obj = self.suspect(suspect_id) logger.debug("Deleting suspect {0}".format(suspect_obj.name)) self.session.delete(suspect_obj) self.save()
[ "def", "delete_suspect", "(", "self", ",", "suspect_id", ")", ":", "suspect_obj", "=", "self", ".", "suspect", "(", "suspect_id", ")", "logger", ".", "debug", "(", "\"Deleting suspect {0}\"", ".", "format", "(", "suspect_obj", ".", "name", ")", ")", "self", ...
De-link a suspect from a case.
[ "De", "-", "link", "a", "suspect", "from", "a", "case", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/sql/mixins/actions/suspect.py#L22-L27
train
robinandeer/puzzle
puzzle/log.py
configure_stream
def configure_stream(level='WARNING'): """Configure root logger using a standard stream handler. Args: level (string, optional): lowest level to log to the console Returns: logging.RootLogger: root logger instance with attached handler """ # get the root logger root_logger = lo...
python
def configure_stream(level='WARNING'): """Configure root logger using a standard stream handler. Args: level (string, optional): lowest level to log to the console Returns: logging.RootLogger: root logger instance with attached handler """ # get the root logger root_logger = lo...
[ "def", "configure_stream", "(", "level", "=", "'WARNING'", ")", ":", "# get the root logger", "root_logger", "=", "logging", ".", "getLogger", "(", ")", "# set the logger level to the same as will be used by the handler", "root_logger", ".", "setLevel", "(", "level", ")",...
Configure root logger using a standard stream handler. Args: level (string, optional): lowest level to log to the console Returns: logging.RootLogger: root logger instance with attached handler
[ "Configure", "root", "logger", "using", "a", "standard", "stream", "handler", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/log.py#L7-L31
train
iwoca/django-deep-collector
deep_collector/core.py
DeepCollector._is_same_type_as_root
def _is_same_type_as_root(self, obj): """ Testing if we try to collect an object of the same type as root. This is not really a good sign, because it means that we are going to collect a whole new tree, that will maybe collect a new tree, that will... """ if not self.ALLO...
python
def _is_same_type_as_root(self, obj): """ Testing if we try to collect an object of the same type as root. This is not really a good sign, because it means that we are going to collect a whole new tree, that will maybe collect a new tree, that will... """ if not self.ALLO...
[ "def", "_is_same_type_as_root", "(", "self", ",", "obj", ")", ":", "if", "not", "self", ".", "ALLOWS_SAME_TYPE_AS_ROOT_COLLECT", ":", "obj_model", "=", "get_model_from_instance", "(", "obj", ")", "obj_key", "=", "get_key_from_instance", "(", "obj", ")", "is_same_t...
Testing if we try to collect an object of the same type as root. This is not really a good sign, because it means that we are going to collect a whole new tree, that will maybe collect a new tree, that will...
[ "Testing", "if", "we", "try", "to", "collect", "an", "object", "of", "the", "same", "type", "as", "root", ".", "This", "is", "not", "really", "a", "good", "sign", "because", "it", "means", "that", "we", "are", "going", "to", "collect", "a", "whole", ...
1bd599d5362ade525cb51d6ee70713a3f58af219
https://github.com/iwoca/django-deep-collector/blob/1bd599d5362ade525cb51d6ee70713a3f58af219/deep_collector/core.py#L203-L219
train
jalmeroth/pymusiccast
pymusiccast/media_status.py
MediaStatus.initialize
def initialize(self, data): """ initialize variable from loaded data """ for item in data: if hasattr(self, item): setattr(self, item, data[item])
python
def initialize(self, data): """ initialize variable from loaded data """ for item in data: if hasattr(self, item): setattr(self, item, data[item])
[ "def", "initialize", "(", "self", ",", "data", ")", ":", "for", "item", "in", "data", ":", "if", "hasattr", "(", "self", ",", "item", ")", ":", "setattr", "(", "self", ",", "item", ",", "data", "[", "item", "]", ")" ]
initialize variable from loaded data
[ "initialize", "variable", "from", "loaded", "data" ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/media_status.py#L57-L61
train
robinandeer/puzzle
puzzle/plugins/vcf/mixins/variant_extras/transcripts.py
TranscriptExtras._add_transcripts
def _add_transcripts(self, variant_obj, info_dict): """Return all transcripts sound in the vcf file""" vep_string = info_dict.get('CSQ') #Check if snpeff annotation: snpeff_string = info_dict.get('ANN') # We check one of these. # VEP has presedence over snpeff ...
python
def _add_transcripts(self, variant_obj, info_dict): """Return all transcripts sound in the vcf file""" vep_string = info_dict.get('CSQ') #Check if snpeff annotation: snpeff_string = info_dict.get('ANN') # We check one of these. # VEP has presedence over snpeff ...
[ "def", "_add_transcripts", "(", "self", ",", "variant_obj", ",", "info_dict", ")", ":", "vep_string", "=", "info_dict", ".", "get", "(", "'CSQ'", ")", "#Check if snpeff annotation:", "snpeff_string", "=", "info_dict", ".", "get", "(", "'ANN'", ")", "# We check o...
Return all transcripts sound in the vcf file
[ "Return", "all", "transcripts", "sound", "in", "the", "vcf", "file" ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/vcf/mixins/variant_extras/transcripts.py#L9-L36
train
robinandeer/puzzle
puzzle/plugins/vcf/mixins/variant_extras/transcripts.py
TranscriptExtras._get_vep_transcript
def _get_vep_transcript(self, transcript_info): """Create a Transcript based on the vep annotation Args: transcript_info (dict): A dict with vep info Returns: transcript (puzzle.models.Transcript): A Transcripts """ transcript = Transcrip...
python
def _get_vep_transcript(self, transcript_info): """Create a Transcript based on the vep annotation Args: transcript_info (dict): A dict with vep info Returns: transcript (puzzle.models.Transcript): A Transcripts """ transcript = Transcrip...
[ "def", "_get_vep_transcript", "(", "self", ",", "transcript_info", ")", ":", "transcript", "=", "Transcript", "(", "hgnc_symbol", "=", "transcript_info", ".", "get", "(", "'SYMBOL'", ")", ",", "transcript_id", "=", "transcript_info", ".", "get", "(", "'Feature'"...
Create a Transcript based on the vep annotation Args: transcript_info (dict): A dict with vep info Returns: transcript (puzzle.models.Transcript): A Transcripts
[ "Create", "a", "Transcript", "based", "on", "the", "vep", "annotation" ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/vcf/mixins/variant_extras/transcripts.py#L39-L63
train
robinandeer/puzzle
puzzle/plugins/vcf/mixins/variant_extras/transcripts.py
TranscriptExtras._get_snpeff_transcript
def _get_snpeff_transcript(self, transcript_info): """Create a transcript based on the snpeff annotation Args: transcript_info (dict): A dict with snpeff info Returns: transcript (puzzle.models.Transcript): A Transcripts """ transcript = ...
python
def _get_snpeff_transcript(self, transcript_info): """Create a transcript based on the snpeff annotation Args: transcript_info (dict): A dict with snpeff info Returns: transcript (puzzle.models.Transcript): A Transcripts """ transcript = ...
[ "def", "_get_snpeff_transcript", "(", "self", ",", "transcript_info", ")", ":", "transcript", "=", "Transcript", "(", "hgnc_symbol", "=", "transcript_info", ".", "get", "(", "'Gene_Name'", ")", ",", "transcript_id", "=", "transcript_info", ".", "get", "(", "'Fea...
Create a transcript based on the snpeff annotation Args: transcript_info (dict): A dict with snpeff info Returns: transcript (puzzle.models.Transcript): A Transcripts
[ "Create", "a", "transcript", "based", "on", "the", "snpeff", "annotation" ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/vcf/mixins/variant_extras/transcripts.py#L65-L84
train
tswicegood/Dolt
dolt/__init__.py
_makes_clone
def _makes_clone(_func, *args, **kw): """ A decorator that returns a clone of the current object so that we can re-use the object for similar requests. """ self = args[0]._clone() _func(self, *args[1:], **kw) return self
python
def _makes_clone(_func, *args, **kw): """ A decorator that returns a clone of the current object so that we can re-use the object for similar requests. """ self = args[0]._clone() _func(self, *args[1:], **kw) return self
[ "def", "_makes_clone", "(", "_func", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "self", "=", "args", "[", "0", "]", ".", "_clone", "(", ")", "_func", "(", "self", ",", "*", "args", "[", "1", ":", "]", ",", "*", "*", "kw", ")", "return...
A decorator that returns a clone of the current object so that we can re-use the object for similar requests.
[ "A", "decorator", "that", "returns", "a", "clone", "of", "the", "current", "object", "so", "that", "we", "can", "re", "-", "use", "the", "object", "for", "similar", "requests", "." ]
e0da1918b7db18f885734a89f824b9e173cc30a5
https://github.com/tswicegood/Dolt/blob/e0da1918b7db18f885734a89f824b9e173cc30a5/dolt/__init__.py#L22-L29
train
tswicegood/Dolt
dolt/__init__.py
Dolt._handle_response
def _handle_response(self, response, data): """ Deserializes JSON if the content-type matches, otherwise returns the response body as is. """ # Content-Type headers can include additional parameters(RFC 1521), so # we split on ; to match against only the type/subtype ...
python
def _handle_response(self, response, data): """ Deserializes JSON if the content-type matches, otherwise returns the response body as is. """ # Content-Type headers can include additional parameters(RFC 1521), so # we split on ; to match against only the type/subtype ...
[ "def", "_handle_response", "(", "self", ",", "response", ",", "data", ")", ":", "# Content-Type headers can include additional parameters(RFC 1521), so", "# we split on ; to match against only the type/subtype", "if", "data", "and", "response", ".", "get", "(", "'content-type'"...
Deserializes JSON if the content-type matches, otherwise returns the response body as is.
[ "Deserializes", "JSON", "if", "the", "content", "-", "type", "matches", "otherwise", "returns", "the", "response", "body", "as", "is", "." ]
e0da1918b7db18f885734a89f824b9e173cc30a5
https://github.com/tswicegood/Dolt/blob/e0da1918b7db18f885734a89f824b9e173cc30a5/dolt/__init__.py#L80-L96
train
tswicegood/Dolt
dolt/__init__.py
Dolt.get_url
def get_url(self, *paths, **params): """ Returns the URL for this request. :param paths: Additional URL path parts to add to the request :param params: Additional query parameters to add to the request """ path_stack = self._attribute_stack[:] if paths: ...
python
def get_url(self, *paths, **params): """ Returns the URL for this request. :param paths: Additional URL path parts to add to the request :param params: Additional query parameters to add to the request """ path_stack = self._attribute_stack[:] if paths: ...
[ "def", "get_url", "(", "self", ",", "*", "paths", ",", "*", "*", "params", ")", ":", "path_stack", "=", "self", ".", "_attribute_stack", "[", ":", "]", "if", "paths", ":", "path_stack", ".", "extend", "(", "paths", ")", "u", "=", "self", ".", "_sta...
Returns the URL for this request. :param paths: Additional URL path parts to add to the request :param params: Additional query parameters to add to the request
[ "Returns", "the", "URL", "for", "this", "request", "." ]
e0da1918b7db18f885734a89f824b9e173cc30a5
https://github.com/tswicegood/Dolt/blob/e0da1918b7db18f885734a89f824b9e173cc30a5/dolt/__init__.py#L222-L244
train
tswicegood/Dolt
dolt/__init__.py
Dolt._clone
def _clone(self): """ Clones the state of the current operation. The state is cloned so that you can freeze the state at a certain point for re-use. :: >>> cat = dolt.cat >>> cat.get_url() '/cat' >>> o = cat.foo >>> o.get_url...
python
def _clone(self): """ Clones the state of the current operation. The state is cloned so that you can freeze the state at a certain point for re-use. :: >>> cat = dolt.cat >>> cat.get_url() '/cat' >>> o = cat.foo >>> o.get_url...
[ "def", "_clone", "(", "self", ")", ":", "cls", "=", "self", ".", "__class__", "q", "=", "cls", ".", "__new__", "(", "cls", ")", "q", ".", "__dict__", "=", "self", ".", "__dict__", ".", "copy", "(", ")", "q", ".", "_params", "=", "self", ".", "_...
Clones the state of the current operation. The state is cloned so that you can freeze the state at a certain point for re-use. :: >>> cat = dolt.cat >>> cat.get_url() '/cat' >>> o = cat.foo >>> o.get_url() '/cat/foo' ...
[ "Clones", "the", "state", "of", "the", "current", "operation", "." ]
e0da1918b7db18f885734a89f824b9e173cc30a5
https://github.com/tswicegood/Dolt/blob/e0da1918b7db18f885734a89f824b9e173cc30a5/dolt/__init__.py#L246-L271
train
robinandeer/puzzle
puzzle/cli/delete.py
delete
def delete(ctx, family_id, individual_id, root): """ Delete a case or individual from the database. If no database was found run puzzle init first. """ root = root or ctx.obj.get('root') or os.path.expanduser("~/.puzzle") if os.path.isfile(root): logger.error("'root' can't be a file") ...
python
def delete(ctx, family_id, individual_id, root): """ Delete a case or individual from the database. If no database was found run puzzle init first. """ root = root or ctx.obj.get('root') or os.path.expanduser("~/.puzzle") if os.path.isfile(root): logger.error("'root' can't be a file") ...
[ "def", "delete", "(", "ctx", ",", "family_id", ",", "individual_id", ",", "root", ")", ":", "root", "=", "root", "or", "ctx", ".", "obj", ".", "get", "(", "'root'", ")", "or", "os", ".", "path", ".", "expanduser", "(", "\"~/.puzzle\"", ")", "if", "...
Delete a case or individual from the database. If no database was found run puzzle init first.
[ "Delete", "a", "case", "or", "individual", "from", "the", "database", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/cli/delete.py#L18-L57
train
robinandeer/puzzle
puzzle/server/blueprints/variants/views.py
variants
def variants(case_id): """Show all variants for a case.""" filters = parse_filters() values = [value for key, value in iteritems(filters) if not isinstance(value, dict) and key != 'skip'] is_active = any(values) variants, nr_of_variants = app.db.variants( case_id, skip=...
python
def variants(case_id): """Show all variants for a case.""" filters = parse_filters() values = [value for key, value in iteritems(filters) if not isinstance(value, dict) and key != 'skip'] is_active = any(values) variants, nr_of_variants = app.db.variants( case_id, skip=...
[ "def", "variants", "(", "case_id", ")", ":", "filters", "=", "parse_filters", "(", ")", "values", "=", "[", "value", "for", "key", ",", "value", "in", "iteritems", "(", "filters", ")", "if", "not", "isinstance", "(", "value", ",", "dict", ")", "and", ...
Show all variants for a case.
[ "Show", "all", "variants", "for", "a", "case", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/server/blueprints/variants/views.py#L16-L54
train
robinandeer/puzzle
puzzle/server/blueprints/variants/views.py
variant
def variant(case_id, variant_id): """Show a single variant.""" case_obj = app.db.case(case_id) variant = app.db.variant(case_id, variant_id) if variant is None: return abort(404, "variant not found") comments = app.db.comments(variant_id=variant.md5) template = 'sv_variant.html' if app....
python
def variant(case_id, variant_id): """Show a single variant.""" case_obj = app.db.case(case_id) variant = app.db.variant(case_id, variant_id) if variant is None: return abort(404, "variant not found") comments = app.db.comments(variant_id=variant.md5) template = 'sv_variant.html' if app....
[ "def", "variant", "(", "case_id", ",", "variant_id", ")", ":", "case_obj", "=", "app", ".", "db", ".", "case", "(", "case_id", ")", "variant", "=", "app", ".", "db", ".", "variant", "(", "case_id", ",", "variant_id", ")", "if", "variant", "is", "None...
Show a single variant.
[ "Show", "a", "single", "variant", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/server/blueprints/variants/views.py#L58-L68
train
robinandeer/puzzle
puzzle/server/blueprints/variants/views.py
parse_filters
def parse_filters(): """Parse variant filters from the request object.""" genes_str = request.args.get('gene_symbol') filters = {} for key in ('frequency', 'cadd', 'sv_len'): try: filters[key] = float(request.args.get(key)) except (ValueError, TypeError): pass ...
python
def parse_filters(): """Parse variant filters from the request object.""" genes_str = request.args.get('gene_symbol') filters = {} for key in ('frequency', 'cadd', 'sv_len'): try: filters[key] = float(request.args.get(key)) except (ValueError, TypeError): pass ...
[ "def", "parse_filters", "(", ")", ":", "genes_str", "=", "request", ".", "args", ".", "get", "(", "'gene_symbol'", ")", "filters", "=", "{", "}", "for", "key", "in", "(", "'frequency'", ",", "'cadd'", ",", "'sv_len'", ")", ":", "try", ":", "filters", ...
Parse variant filters from the request object.
[ "Parse", "variant", "filters", "from", "the", "request", "object", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/server/blueprints/variants/views.py#L71-L102
train
robinandeer/puzzle
puzzle/server/blueprints/variants/views.py
suspects
def suspects(case_id, variant_id): """Pin a variant as a suspect for a given case.""" case_obj = app.db.case(case_id) variant_obj = app.db.variant(case_id, variant_id) app.db.add_suspect(case_obj, variant_obj) return redirect(request.referrer)
python
def suspects(case_id, variant_id): """Pin a variant as a suspect for a given case.""" case_obj = app.db.case(case_id) variant_obj = app.db.variant(case_id, variant_id) app.db.add_suspect(case_obj, variant_obj) return redirect(request.referrer)
[ "def", "suspects", "(", "case_id", ",", "variant_id", ")", ":", "case_obj", "=", "app", ".", "db", ".", "case", "(", "case_id", ")", "variant_obj", "=", "app", ".", "db", ".", "variant", "(", "case_id", ",", "variant_id", ")", "app", ".", "db", ".", ...
Pin a variant as a suspect for a given case.
[ "Pin", "a", "variant", "as", "a", "suspect", "for", "a", "given", "case", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/server/blueprints/variants/views.py#L106-L111
train
robinandeer/puzzle
puzzle/server/blueprints/variants/views.py
queries
def queries(): """Store a new GEMINI query.""" query = request.form['query'] name = request.form.get('name') app.db.add_gemini_query(name, query) return redirect(request.referrer)
python
def queries(): """Store a new GEMINI query.""" query = request.form['query'] name = request.form.get('name') app.db.add_gemini_query(name, query) return redirect(request.referrer)
[ "def", "queries", "(", ")", ":", "query", "=", "request", ".", "form", "[", "'query'", "]", "name", "=", "request", ".", "form", ".", "get", "(", "'name'", ")", "app", ".", "db", ".", "add_gemini_query", "(", "name", ",", "query", ")", "return", "r...
Store a new GEMINI query.
[ "Store", "a", "new", "GEMINI", "query", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/server/blueprints/variants/views.py#L122-L127
train
jwodder/javaproperties
javaproperties/reading.py
load
def load(fp, object_pairs_hook=dict): """ Parse the contents of the `~io.IOBase.readline`-supporting file-like object ``fp`` as a simple line-oriented ``.properties`` file and return a `dict` of the key-value pairs. ``fp`` may be either a text or binary filehandle, with or without universal new...
python
def load(fp, object_pairs_hook=dict): """ Parse the contents of the `~io.IOBase.readline`-supporting file-like object ``fp`` as a simple line-oriented ``.properties`` file and return a `dict` of the key-value pairs. ``fp`` may be either a text or binary filehandle, with or without universal new...
[ "def", "load", "(", "fp", ",", "object_pairs_hook", "=", "dict", ")", ":", "return", "object_pairs_hook", "(", "(", "k", ",", "v", ")", "for", "k", ",", "v", ",", "_", "in", "parse", "(", "fp", ")", "if", "k", "is", "not", "None", ")" ]
Parse the contents of the `~io.IOBase.readline`-supporting file-like object ``fp`` as a simple line-oriented ``.properties`` file and return a `dict` of the key-value pairs. ``fp`` may be either a text or binary filehandle, with or without universal newlines enabled. If it is a binary filehandle, its ...
[ "Parse", "the", "contents", "of", "the", "~io", ".", "IOBase", ".", "readline", "-", "supporting", "file", "-", "like", "object", "fp", "as", "a", "simple", "line", "-", "oriented", ".", "properties", "file", "and", "return", "a", "dict", "of", "the", ...
8b48f040305217ebeb80c98c4354691bbb01429b
https://github.com/jwodder/javaproperties/blob/8b48f040305217ebeb80c98c4354691bbb01429b/javaproperties/reading.py#L6-L36
train
jwodder/javaproperties
javaproperties/reading.py
loads
def loads(s, object_pairs_hook=dict): """ Parse the contents of the string ``s`` as a simple line-oriented ``.properties`` file and return a `dict` of the key-value pairs. ``s`` may be either a text string or bytes string. If it is a bytes string, its contents are decoded as Latin-1. By defau...
python
def loads(s, object_pairs_hook=dict): """ Parse the contents of the string ``s`` as a simple line-oriented ``.properties`` file and return a `dict` of the key-value pairs. ``s`` may be either a text string or bytes string. If it is a bytes string, its contents are decoded as Latin-1. By defau...
[ "def", "loads", "(", "s", ",", "object_pairs_hook", "=", "dict", ")", ":", "fp", "=", "BytesIO", "(", "s", ")", "if", "isinstance", "(", "s", ",", "binary_type", ")", "else", "StringIO", "(", "s", ")", "return", "load", "(", "fp", ",", "object_pairs_...
Parse the contents of the string ``s`` as a simple line-oriented ``.properties`` file and return a `dict` of the key-value pairs. ``s`` may be either a text string or bytes string. If it is a bytes string, its contents are decoded as Latin-1. By default, the key-value pairs extracted from ``s`` are c...
[ "Parse", "the", "contents", "of", "the", "string", "s", "as", "a", "simple", "line", "-", "oriented", ".", "properties", "file", "and", "return", "a", "dict", "of", "the", "key", "-", "value", "pairs", "." ]
8b48f040305217ebeb80c98c4354691bbb01429b
https://github.com/jwodder/javaproperties/blob/8b48f040305217ebeb80c98c4354691bbb01429b/javaproperties/reading.py#L38-L66
train
TiagoBras/audio-clip-extractor
audioclipextractor/core.py
AudioClipExtractor._extractClipData
def _extractClipData(self, audioClipSpec, showLogs=False): """Extracts a single clip according to audioClipSpec. Arguments: audioClipSpec (AudioClipSpec): Clip specification showLogs (bool): Show ffmpeg output """ command = [self._ffmpegPath] if not show...
python
def _extractClipData(self, audioClipSpec, showLogs=False): """Extracts a single clip according to audioClipSpec. Arguments: audioClipSpec (AudioClipSpec): Clip specification showLogs (bool): Show ffmpeg output """ command = [self._ffmpegPath] if not show...
[ "def", "_extractClipData", "(", "self", ",", "audioClipSpec", ",", "showLogs", "=", "False", ")", ":", "command", "=", "[", "self", ".", "_ffmpegPath", "]", "if", "not", "showLogs", ":", "command", "+=", "[", "'-nostats'", ",", "'-loglevel'", ",", "'0'", ...
Extracts a single clip according to audioClipSpec. Arguments: audioClipSpec (AudioClipSpec): Clip specification showLogs (bool): Show ffmpeg output
[ "Extracts", "a", "single", "clip", "according", "to", "audioClipSpec", "." ]
b0dd90266656dcbf7e663b3e174dce4d09e74c32
https://github.com/TiagoBras/audio-clip-extractor/blob/b0dd90266656dcbf7e663b3e174dce4d09e74c32/audioclipextractor/core.py#L82-L114
train
robinandeer/puzzle
puzzle/plugins/sql/mixins/actions/phenotype.py
PhenotypeActions.add_phenotype
def add_phenotype(self, ind_obj, phenotype_id): """Add a phenotype term to the case.""" if phenotype_id.startswith('HP:') or len(phenotype_id) == 7: logger.debug('querying on HPO term') hpo_results = phizz.query_hpo([phenotype_id]) else: logger.debug('querying...
python
def add_phenotype(self, ind_obj, phenotype_id): """Add a phenotype term to the case.""" if phenotype_id.startswith('HP:') or len(phenotype_id) == 7: logger.debug('querying on HPO term') hpo_results = phizz.query_hpo([phenotype_id]) else: logger.debug('querying...
[ "def", "add_phenotype", "(", "self", ",", "ind_obj", ",", "phenotype_id", ")", ":", "if", "phenotype_id", ".", "startswith", "(", "'HP:'", ")", "or", "len", "(", "phenotype_id", ")", "==", "7", ":", "logger", ".", "debug", "(", "'querying on HPO term'", ")...
Add a phenotype term to the case.
[ "Add", "a", "phenotype", "term", "to", "the", "case", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/sql/mixins/actions/phenotype.py#L13-L39
train
robinandeer/puzzle
puzzle/plugins/sql/mixins/actions/phenotype.py
PhenotypeActions.update_hpolist
def update_hpolist(self, case_obj): """Update the HPO gene list for a case based on current terms.""" hpo_list = self.case_genelist(case_obj) hpo_results = hpo_genes(case_obj.phenotype_ids(), *self.phenomizer_auth) if hpo_results is None: pass...
python
def update_hpolist(self, case_obj): """Update the HPO gene list for a case based on current terms.""" hpo_list = self.case_genelist(case_obj) hpo_results = hpo_genes(case_obj.phenotype_ids(), *self.phenomizer_auth) if hpo_results is None: pass...
[ "def", "update_hpolist", "(", "self", ",", "case_obj", ")", ":", "hpo_list", "=", "self", ".", "case_genelist", "(", "case_obj", ")", "hpo_results", "=", "hpo_genes", "(", "case_obj", ".", "phenotype_ids", "(", ")", ",", "*", "self", ".", "phenomizer_auth", ...
Update the HPO gene list for a case based on current terms.
[ "Update", "the", "HPO", "gene", "list", "for", "a", "case", "based", "on", "current", "terms", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/sql/mixins/actions/phenotype.py#L41-L55
train
robinandeer/puzzle
puzzle/plugins/sql/mixins/actions/phenotype.py
PhenotypeActions.remove_phenotype
def remove_phenotype(self, ind_obj, phenotypes=None): """Remove multiple phenotypes from an individual.""" if phenotypes is None: logger.info("delete all phenotypes related to %s", ind_obj.ind_id) self.query(PhenotypeTerm).filter_by(ind_id=ind_obj.id).delete() else: ...
python
def remove_phenotype(self, ind_obj, phenotypes=None): """Remove multiple phenotypes from an individual.""" if phenotypes is None: logger.info("delete all phenotypes related to %s", ind_obj.ind_id) self.query(PhenotypeTerm).filter_by(ind_id=ind_obj.id).delete() else: ...
[ "def", "remove_phenotype", "(", "self", ",", "ind_obj", ",", "phenotypes", "=", "None", ")", ":", "if", "phenotypes", "is", "None", ":", "logger", ".", "info", "(", "\"delete all phenotypes related to %s\"", ",", "ind_obj", ".", "ind_id", ")", "self", ".", "...
Remove multiple phenotypes from an individual.
[ "Remove", "multiple", "phenotypes", "from", "an", "individual", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/sql/mixins/actions/phenotype.py#L57-L71
train
thautwarm/Redy
Redy/ADT/Core.py
match
def match(mode_lst: list, obj: 'object that has __destruct__ method'): """ >>> from Redy.ADT.Core import match, data, P >>> from Redy.ADT.traits import ConsInd, Discrete >>> @data >>> class List(ConsInd, Discrete): >>> # ConsInd(index following constructing) >>> # |-> Ind; >>>...
python
def match(mode_lst: list, obj: 'object that has __destruct__ method'): """ >>> from Redy.ADT.Core import match, data, P >>> from Redy.ADT.traits import ConsInd, Discrete >>> @data >>> class List(ConsInd, Discrete): >>> # ConsInd(index following constructing) >>> # |-> Ind; >>>...
[ "def", "match", "(", "mode_lst", ":", "list", ",", "obj", ":", "'object that has __destruct__ method'", ")", ":", "# noinspection PyUnresolvedReferences", "try", ":", "# noinspection PyUnresolvedReferences", "structure", "=", "obj", ".", "__destruct__", "(", ")", "excep...
>>> from Redy.ADT.Core import match, data, P >>> from Redy.ADT.traits import ConsInd, Discrete >>> @data >>> class List(ConsInd, Discrete): >>> # ConsInd(index following constructing) >>> # |-> Ind; >>> # Discrete >>> # |-> Im(Immutable), Eq >>> Nil : ... >>...
[ ">>>", "from", "Redy", ".", "ADT", ".", "Core", "import", "match", "data", "P", ">>>", "from", "Redy", ".", "ADT", ".", "traits", "import", "ConsInd", "Discrete", ">>>" ]
8beee5c5f752edfd2754bb1e6b5f4acb016a7770
https://github.com/thautwarm/Redy/blob/8beee5c5f752edfd2754bb1e6b5f4acb016a7770/Redy/ADT/Core.py#L185-L227
train
robinandeer/puzzle
puzzle/plugins/sql/mixins/actions/gemini.py
GeminiActions.gemini_query
def gemini_query(self, query_id): """Return a gemini query Args: name (str) """ logger.debug("Looking for query with id {0}".format(query_id)) return self.query(GeminiQuery).filter_by(id=query_id).first()
python
def gemini_query(self, query_id): """Return a gemini query Args: name (str) """ logger.debug("Looking for query with id {0}".format(query_id)) return self.query(GeminiQuery).filter_by(id=query_id).first()
[ "def", "gemini_query", "(", "self", ",", "query_id", ")", ":", "logger", ".", "debug", "(", "\"Looking for query with id {0}\"", ".", "format", "(", "query_id", ")", ")", "return", "self", ".", "query", "(", "GeminiQuery", ")", ".", "filter_by", "(", "id", ...
Return a gemini query Args: name (str)
[ "Return", "a", "gemini", "query" ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/sql/mixins/actions/gemini.py#L10-L17
train
robinandeer/puzzle
puzzle/plugins/sql/mixins/actions/gemini.py
GeminiActions.add_gemini_query
def add_gemini_query(self, name, query): """Add a user defined gemini query Args: name (str) query (str) """ logger.info("Adding query {0} with text {1}".format(name, query)) new_query = GeminiQuery(name=name, query=query) self.session.add(new_que...
python
def add_gemini_query(self, name, query): """Add a user defined gemini query Args: name (str) query (str) """ logger.info("Adding query {0} with text {1}".format(name, query)) new_query = GeminiQuery(name=name, query=query) self.session.add(new_que...
[ "def", "add_gemini_query", "(", "self", ",", "name", ",", "query", ")", ":", "logger", ".", "info", "(", "\"Adding query {0} with text {1}\"", ".", "format", "(", "name", ",", "query", ")", ")", "new_query", "=", "GeminiQuery", "(", "name", "=", "name", ",...
Add a user defined gemini query Args: name (str) query (str)
[ "Add", "a", "user", "defined", "gemini", "query" ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/sql/mixins/actions/gemini.py#L23-L34
train
robinandeer/puzzle
puzzle/plugins/sql/mixins/actions/gemini.py
GeminiActions.delete_gemini_query
def delete_gemini_query(self, query_id): """Delete a gemini query Args: name (str) """ query_obj = self.gemini_query(query_id) logger.debug("Delete query: {0}".format(query_obj.name_query)) self.session.delete(query_obj) self.save()
python
def delete_gemini_query(self, query_id): """Delete a gemini query Args: name (str) """ query_obj = self.gemini_query(query_id) logger.debug("Delete query: {0}".format(query_obj.name_query)) self.session.delete(query_obj) self.save()
[ "def", "delete_gemini_query", "(", "self", ",", "query_id", ")", ":", "query_obj", "=", "self", ".", "gemini_query", "(", "query_id", ")", "logger", ".", "debug", "(", "\"Delete query: {0}\"", ".", "format", "(", "query_obj", ".", "name_query", ")", ")", "se...
Delete a gemini query Args: name (str)
[ "Delete", "a", "gemini", "query" ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/sql/mixins/actions/gemini.py#L36-L45
train
gusdan/geoindex
geoindex/geo_point.py
GeoPoint.distance_to
def distance_to(self, point, unit='km'): """ Calculate distance in miles or kilometers between current and other passed point. """ assert isinstance(point, GeoPoint), ( 'Other point should also be a Point instance.' ) if self == point: retu...
python
def distance_to(self, point, unit='km'): """ Calculate distance in miles or kilometers between current and other passed point. """ assert isinstance(point, GeoPoint), ( 'Other point should also be a Point instance.' ) if self == point: retu...
[ "def", "distance_to", "(", "self", ",", "point", ",", "unit", "=", "'km'", ")", ":", "assert", "isinstance", "(", "point", ",", "GeoPoint", ")", ",", "(", "'Other point should also be a Point instance.'", ")", "if", "self", "==", "point", ":", "return", "0.0...
Calculate distance in miles or kilometers between current and other passed point.
[ "Calculate", "distance", "in", "miles", "or", "kilometers", "between", "current", "and", "other", "passed", "point", "." ]
d1b3b5a52271200713a64041576caa1f2d588f55
https://github.com/gusdan/geoindex/blob/d1b3b5a52271200713a64041576caa1f2d588f55/geoindex/geo_point.py#L49-L72
train
gusdan/geoindex
geoindex/geo_point.py
GeoPoint.rad_latitude
def rad_latitude(self): """ Lazy conversion degrees latitude to radians. """ if self._rad_latitude is None: self._rad_latitude = math.radians(self.latitude) return self._rad_latitude
python
def rad_latitude(self): """ Lazy conversion degrees latitude to radians. """ if self._rad_latitude is None: self._rad_latitude = math.radians(self.latitude) return self._rad_latitude
[ "def", "rad_latitude", "(", "self", ")", ":", "if", "self", ".", "_rad_latitude", "is", "None", ":", "self", ".", "_rad_latitude", "=", "math", ".", "radians", "(", "self", ".", "latitude", ")", "return", "self", ".", "_rad_latitude" ]
Lazy conversion degrees latitude to radians.
[ "Lazy", "conversion", "degrees", "latitude", "to", "radians", "." ]
d1b3b5a52271200713a64041576caa1f2d588f55
https://github.com/gusdan/geoindex/blob/d1b3b5a52271200713a64041576caa1f2d588f55/geoindex/geo_point.py#L75-L81
train
gusdan/geoindex
geoindex/geo_point.py
GeoPoint.rad_longitude
def rad_longitude(self): """ Lazy conversion degrees longitude to radians. """ if self._rad_longitude is None: self._rad_longitude = math.radians(self.longitude) return self._rad_longitude
python
def rad_longitude(self): """ Lazy conversion degrees longitude to radians. """ if self._rad_longitude is None: self._rad_longitude = math.radians(self.longitude) return self._rad_longitude
[ "def", "rad_longitude", "(", "self", ")", ":", "if", "self", ".", "_rad_longitude", "is", "None", ":", "self", ".", "_rad_longitude", "=", "math", ".", "radians", "(", "self", ".", "longitude", ")", "return", "self", ".", "_rad_longitude" ]
Lazy conversion degrees longitude to radians.
[ "Lazy", "conversion", "degrees", "longitude", "to", "radians", "." ]
d1b3b5a52271200713a64041576caa1f2d588f55
https://github.com/gusdan/geoindex/blob/d1b3b5a52271200713a64041576caa1f2d588f55/geoindex/geo_point.py#L84-L90
train
okeuday/erlang_py
examples/port.py
send
def send(term, stream): """Write an Erlang term to an output stream.""" payload = erlang.term_to_binary(term) header = struct.pack('!I', len(payload)) stream.write(header) stream.write(payload) stream.flush()
python
def send(term, stream): """Write an Erlang term to an output stream.""" payload = erlang.term_to_binary(term) header = struct.pack('!I', len(payload)) stream.write(header) stream.write(payload) stream.flush()
[ "def", "send", "(", "term", ",", "stream", ")", ":", "payload", "=", "erlang", ".", "term_to_binary", "(", "term", ")", "header", "=", "struct", ".", "pack", "(", "'!I'", ",", "len", "(", "payload", ")", ")", "stream", ".", "write", "(", "header", ...
Write an Erlang term to an output stream.
[ "Write", "an", "Erlang", "term", "to", "an", "output", "stream", "." ]
81b7c2ace66b6bdee23602a6802efff541223fa3
https://github.com/okeuday/erlang_py/blob/81b7c2ace66b6bdee23602a6802efff541223fa3/examples/port.py#L6-L12
train
okeuday/erlang_py
examples/port.py
recv
def recv(stream): """Read an Erlang term from an input stream.""" header = stream.read(4) if len(header) != 4: return None # EOF (length,) = struct.unpack('!I', header) payload = stream.read(length) if len(payload) != length: return None term = erlang.binary_to_term(payload) ...
python
def recv(stream): """Read an Erlang term from an input stream.""" header = stream.read(4) if len(header) != 4: return None # EOF (length,) = struct.unpack('!I', header) payload = stream.read(length) if len(payload) != length: return None term = erlang.binary_to_term(payload) ...
[ "def", "recv", "(", "stream", ")", ":", "header", "=", "stream", ".", "read", "(", "4", ")", "if", "len", "(", "header", ")", "!=", "4", ":", "return", "None", "# EOF", "(", "length", ",", ")", "=", "struct", ".", "unpack", "(", "'!I'", ",", "h...
Read an Erlang term from an input stream.
[ "Read", "an", "Erlang", "term", "from", "an", "input", "stream", "." ]
81b7c2ace66b6bdee23602a6802efff541223fa3
https://github.com/okeuday/erlang_py/blob/81b7c2ace66b6bdee23602a6802efff541223fa3/examples/port.py#L14-L24
train
okeuday/erlang_py
examples/port.py
recv_loop
def recv_loop(stream): """Yield Erlang terms from an input stream.""" message = recv(stream) while message: yield message message = recv(stream)
python
def recv_loop(stream): """Yield Erlang terms from an input stream.""" message = recv(stream) while message: yield message message = recv(stream)
[ "def", "recv_loop", "(", "stream", ")", ":", "message", "=", "recv", "(", "stream", ")", "while", "message", ":", "yield", "message", "message", "=", "recv", "(", "stream", ")" ]
Yield Erlang terms from an input stream.
[ "Yield", "Erlang", "terms", "from", "an", "input", "stream", "." ]
81b7c2ace66b6bdee23602a6802efff541223fa3
https://github.com/okeuday/erlang_py/blob/81b7c2ace66b6bdee23602a6802efff541223fa3/examples/port.py#L26-L31
train
robinandeer/puzzle
puzzle/plugins/vcf/mixins/variant_extras/genotype.py
GenotypeExtras._add_genotype_calls
def _add_genotype_calls(self, variant_obj, variant_line, case_obj): """Add the genotype calls for the variant Args: variant_obj (puzzle.models.Variant) variant_dict (dict): A variant dictionary case_obj (puzzle.models.Case) """ variant_line = variant...
python
def _add_genotype_calls(self, variant_obj, variant_line, case_obj): """Add the genotype calls for the variant Args: variant_obj (puzzle.models.Variant) variant_dict (dict): A variant dictionary case_obj (puzzle.models.Case) """ variant_line = variant...
[ "def", "_add_genotype_calls", "(", "self", ",", "variant_obj", ",", "variant_line", ",", "case_obj", ")", ":", "variant_line", "=", "variant_line", ".", "split", "(", "'\\t'", ")", "#if there is gt calls we have no individuals to add", "if", "len", "(", "variant_line"...
Add the genotype calls for the variant Args: variant_obj (puzzle.models.Variant) variant_dict (dict): A variant dictionary case_obj (puzzle.models.Case)
[ "Add", "the", "genotype", "calls", "for", "the", "variant" ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/vcf/mixins/variant_extras/genotype.py#L12-L47
train
inveniosoftware-contrib/json-merger
json_merger/conflict.py
Conflict.with_prefix
def with_prefix(self, root_path): """Returns a new conflict with a prepended prefix as a path.""" return Conflict(self.conflict_type, root_path + self.path, self.body)
python
def with_prefix(self, root_path): """Returns a new conflict with a prepended prefix as a path.""" return Conflict(self.conflict_type, root_path + self.path, self.body)
[ "def", "with_prefix", "(", "self", ",", "root_path", ")", ":", "return", "Conflict", "(", "self", ".", "conflict_type", ",", "root_path", "+", "self", ".", "path", ",", "self", ".", "body", ")" ]
Returns a new conflict with a prepended prefix as a path.
[ "Returns", "a", "new", "conflict", "with", "a", "prepended", "prefix", "as", "a", "path", "." ]
adc6d372da018427e1db7b92424d3471e01a4118
https://github.com/inveniosoftware-contrib/json-merger/blob/adc6d372da018427e1db7b92424d3471e01a4118/json_merger/conflict.py#L95-L97
train
inveniosoftware-contrib/json-merger
json_merger/conflict.py
Conflict.to_json
def to_json(self): """Deserializes conflict to a JSON object. It returns list of: `json-patch <https://tools.ietf.org/html/rfc6902>`_ format. - REORDER, SET_FIELD become "op": "replace" - MANUAL_MERGE, ADD_BACK_TO_HEAD become "op": "add" - Path becomes `json-pointer...
python
def to_json(self): """Deserializes conflict to a JSON object. It returns list of: `json-patch <https://tools.ietf.org/html/rfc6902>`_ format. - REORDER, SET_FIELD become "op": "replace" - MANUAL_MERGE, ADD_BACK_TO_HEAD become "op": "add" - Path becomes `json-pointer...
[ "def", "to_json", "(", "self", ")", ":", "# map ConflictType to json-patch operator", "path", "=", "self", ".", "path", "if", "self", ".", "conflict_type", "in", "(", "'REORDER'", ",", "'SET_FIELD'", ")", ":", "op", "=", "'replace'", "elif", "self", ".", "co...
Deserializes conflict to a JSON object. It returns list of: `json-patch <https://tools.ietf.org/html/rfc6902>`_ format. - REORDER, SET_FIELD become "op": "replace" - MANUAL_MERGE, ADD_BACK_TO_HEAD become "op": "add" - Path becomes `json-pointer <https://tools.ietf.org/html/...
[ "Deserializes", "conflict", "to", "a", "JSON", "object", "." ]
adc6d372da018427e1db7b92424d3471e01a4118
https://github.com/inveniosoftware-contrib/json-merger/blob/adc6d372da018427e1db7b92424d3471e01a4118/json_merger/conflict.py#L99-L139
train
jwodder/javaproperties
javaproperties/writing.py
dump
def dump(props, fp, separator='=', comments=None, timestamp=True, sort_keys=False): """ Write a series of key-value pairs to a file in simple line-oriented ``.properties`` format. :param props: A mapping or iterable of ``(key, value)`` pairs to write to ``fp``. All keys and values in ...
python
def dump(props, fp, separator='=', comments=None, timestamp=True, sort_keys=False): """ Write a series of key-value pairs to a file in simple line-oriented ``.properties`` format. :param props: A mapping or iterable of ``(key, value)`` pairs to write to ``fp``. All keys and values in ...
[ "def", "dump", "(", "props", ",", "fp", ",", "separator", "=", "'='", ",", "comments", "=", "None", ",", "timestamp", "=", "True", ",", "sort_keys", "=", "False", ")", ":", "if", "comments", "is", "not", "None", ":", "print", "(", "to_comment", "(", ...
Write a series of key-value pairs to a file in simple line-oriented ``.properties`` format. :param props: A mapping or iterable of ``(key, value)`` pairs to write to ``fp``. All keys and values in ``props`` must be text strings. If ``sort_keys`` is `False`, the entries are output in iteration...
[ "Write", "a", "series", "of", "key", "-", "value", "pairs", "to", "a", "file", "in", "simple", "line", "-", "oriented", ".", "properties", "format", "." ]
8b48f040305217ebeb80c98c4354691bbb01429b
https://github.com/jwodder/javaproperties/blob/8b48f040305217ebeb80c98c4354691bbb01429b/javaproperties/writing.py#L10-L45
train
jwodder/javaproperties
javaproperties/writing.py
dumps
def dumps(props, separator='=', comments=None, timestamp=True, sort_keys=False): """ Convert a series of key-value pairs to a text string in simple line-oriented ``.properties`` format. :param props: A mapping or iterable of ``(key, value)`` pairs to serialize. All keys and values in ``props`` ...
python
def dumps(props, separator='=', comments=None, timestamp=True, sort_keys=False): """ Convert a series of key-value pairs to a text string in simple line-oriented ``.properties`` format. :param props: A mapping or iterable of ``(key, value)`` pairs to serialize. All keys and values in ``props`` ...
[ "def", "dumps", "(", "props", ",", "separator", "=", "'='", ",", "comments", "=", "None", ",", "timestamp", "=", "True", ",", "sort_keys", "=", "False", ")", ":", "s", "=", "StringIO", "(", ")", "dump", "(", "props", ",", "s", ",", "separator", "="...
Convert a series of key-value pairs to a text string in simple line-oriented ``.properties`` format. :param props: A mapping or iterable of ``(key, value)`` pairs to serialize. All keys and values in ``props`` must be text strings. If ``sort_keys`` is `False`, the entries are output in iterati...
[ "Convert", "a", "series", "of", "key", "-", "value", "pairs", "to", "a", "text", "string", "in", "simple", "line", "-", "oriented", ".", "properties", "format", "." ]
8b48f040305217ebeb80c98c4354691bbb01429b
https://github.com/jwodder/javaproperties/blob/8b48f040305217ebeb80c98c4354691bbb01429b/javaproperties/writing.py#L47-L77
train
jwodder/javaproperties
javaproperties/writing.py
join_key_value
def join_key_value(key, value, separator='='): r""" Join a key and value together into a single line suitable for adding to a simple line-oriented ``.properties`` file. No trailing newline is added. >>> join_key_value('possible separators', '= : space') 'possible\\ separators=\\= \\: space' :...
python
def join_key_value(key, value, separator='='): r""" Join a key and value together into a single line suitable for adding to a simple line-oriented ``.properties`` file. No trailing newline is added. >>> join_key_value('possible separators', '= : space') 'possible\\ separators=\\= \\: space' :...
[ "def", "join_key_value", "(", "key", ",", "value", ",", "separator", "=", "'='", ")", ":", "# Escapes `key` and `value` the same way as java.util.Properties.store()", "return", "escape", "(", "key", ")", "+", "separator", "+", "re", ".", "sub", "(", "r'^ +'", ",",...
r""" Join a key and value together into a single line suitable for adding to a simple line-oriented ``.properties`` file. No trailing newline is added. >>> join_key_value('possible separators', '= : space') 'possible\\ separators=\\= \\: space' :param key: the key :type key: text string :...
[ "r", "Join", "a", "key", "and", "value", "together", "into", "a", "single", "line", "suitable", "for", "adding", "to", "a", "simple", "line", "-", "oriented", ".", "properties", "file", ".", "No", "trailing", "newline", "is", "added", "." ]
8b48f040305217ebeb80c98c4354691bbb01429b
https://github.com/jwodder/javaproperties/blob/8b48f040305217ebeb80c98c4354691bbb01429b/javaproperties/writing.py#L99-L120
train
wistful/pympris
pympris/PlayLists.py
PlayLists.GetPlaylists
def GetPlaylists(self, start, max_count, order, reversed): """Gets a set of playlists. :param int start: The index of the first playlist to be fetched (according to the ordering). :param int max_count: The maximum number of playlists to fetch. :param str order...
python
def GetPlaylists(self, start, max_count, order, reversed): """Gets a set of playlists. :param int start: The index of the first playlist to be fetched (according to the ordering). :param int max_count: The maximum number of playlists to fetch. :param str order...
[ "def", "GetPlaylists", "(", "self", ",", "start", ",", "max_count", ",", "order", ",", "reversed", ")", ":", "cv", "=", "convert2dbus", "return", "self", ".", "iface", ".", "GetPlaylists", "(", "cv", "(", "start", ",", "'u'", ")", ",", "cv", "(", "ma...
Gets a set of playlists. :param int start: The index of the first playlist to be fetched (according to the ordering). :param int max_count: The maximum number of playlists to fetch. :param str order: The ordering that should be used. :param bool reversed: Whet...
[ "Gets", "a", "set", "of", "playlists", "." ]
4bd64a1f0d151f2adfc392ab34fd9b38894786cb
https://github.com/wistful/pympris/blob/4bd64a1f0d151f2adfc392ab34fd9b38894786cb/pympris/PlayLists.py#L58-L71
train
ThaWeatherman/flask-hashing
flask_hashing.py
Hashing.init_app
def init_app(self, app): '''Initializes the Flask application with this extension. It grabs the necessary configuration values from ``app.config``, those being HASHING_METHOD and HASHING_ROUNDS. HASHING_METHOD defaults to ``sha256`` but can be any one of ``hashlib.algorithms``. HASHING_R...
python
def init_app(self, app): '''Initializes the Flask application with this extension. It grabs the necessary configuration values from ``app.config``, those being HASHING_METHOD and HASHING_ROUNDS. HASHING_METHOD defaults to ``sha256`` but can be any one of ``hashlib.algorithms``. HASHING_R...
[ "def", "init_app", "(", "self", ",", "app", ")", ":", "self", ".", "algorithm", "=", "app", ".", "config", ".", "get", "(", "'HASHING_METHOD'", ",", "'sha256'", ")", "if", "self", ".", "algorithm", "not", "in", "algs", ":", "raise", "ValueError", "(", ...
Initializes the Flask application with this extension. It grabs the necessary configuration values from ``app.config``, those being HASHING_METHOD and HASHING_ROUNDS. HASHING_METHOD defaults to ``sha256`` but can be any one of ``hashlib.algorithms``. HASHING_ROUNDS specifies the number o...
[ "Initializes", "the", "Flask", "application", "with", "this", "extension", ".", "It", "grabs", "the", "necessary", "configuration", "values", "from", "app", ".", "config", "those", "being", "HASHING_METHOD", "and", "HASHING_ROUNDS", ".", "HASHING_METHOD", "defaults"...
e2cc8526569f63362e2d79bea49c4809d4416c8a
https://github.com/ThaWeatherman/flask-hashing/blob/e2cc8526569f63362e2d79bea49c4809d4416c8a/flask_hashing.py#L62-L77
train
ThaWeatherman/flask-hashing
flask_hashing.py
Hashing.hash_value
def hash_value(self, value, salt=''): '''Hashes the specified value combined with the specified salt. The hash is done HASHING_ROUNDS times as specified by the application configuration. An example usage of :class:``hash_value`` would be:: val_hash = hashing.hash_value('mys...
python
def hash_value(self, value, salt=''): '''Hashes the specified value combined with the specified salt. The hash is done HASHING_ROUNDS times as specified by the application configuration. An example usage of :class:``hash_value`` would be:: val_hash = hashing.hash_value('mys...
[ "def", "hash_value", "(", "self", ",", "value", ",", "salt", "=", "''", ")", ":", "def", "hashit", "(", "value", ",", "salt", ")", ":", "h", "=", "hashlib", ".", "new", "(", "self", ".", "algorithm", ")", "tgt", "=", "salt", "+", "value", "h", ...
Hashes the specified value combined with the specified salt. The hash is done HASHING_ROUNDS times as specified by the application configuration. An example usage of :class:``hash_value`` would be:: val_hash = hashing.hash_value('mysecretdata', salt='abcd') # save to a ...
[ "Hashes", "the", "specified", "value", "combined", "with", "the", "specified", "salt", ".", "The", "hash", "is", "done", "HASHING_ROUNDS", "times", "as", "specified", "by", "the", "application", "configuration", "." ]
e2cc8526569f63362e2d79bea49c4809d4416c8a
https://github.com/ThaWeatherman/flask-hashing/blob/e2cc8526569f63362e2d79bea49c4809d4416c8a/flask_hashing.py#L79-L111
train
ThaWeatherman/flask-hashing
flask_hashing.py
Hashing.check_value
def check_value(self, value_hash, value, salt=''): '''Checks the specified hash value against the hash of the provided salt and value. An example usage of :class:`check_value` would be:: val_hash = hashing.hash_value('mysecretdata', salt='abcd') if hashing.check_value(v...
python
def check_value(self, value_hash, value, salt=''): '''Checks the specified hash value against the hash of the provided salt and value. An example usage of :class:`check_value` would be:: val_hash = hashing.hash_value('mysecretdata', salt='abcd') if hashing.check_value(v...
[ "def", "check_value", "(", "self", ",", "value_hash", ",", "value", ",", "salt", "=", "''", ")", ":", "h", "=", "self", ".", "hash_value", "(", "value", ",", "salt", "=", "salt", ")", "return", "h", "==", "value_hash" ]
Checks the specified hash value against the hash of the provided salt and value. An example usage of :class:`check_value` would be:: val_hash = hashing.hash_value('mysecretdata', salt='abcd') if hashing.check_value(val_hash, 'mysecretdata', salt='abcd'): # do so...
[ "Checks", "the", "specified", "hash", "value", "against", "the", "hash", "of", "the", "provided", "salt", "and", "value", "." ]
e2cc8526569f63362e2d79bea49c4809d4416c8a
https://github.com/ThaWeatherman/flask-hashing/blob/e2cc8526569f63362e2d79bea49c4809d4416c8a/flask_hashing.py#L113-L130
train
wistful/pympris
pympris/TrackList.py
TrackList.AddTrack
def AddTrack(self, uri, after_track, set_as_current): """Adds a URI in the TrackList. :param str uri: The uri of the item to add. :param str after_track: The identifier of the track after which the new item should be inserted. :param bool set_as_current: ...
python
def AddTrack(self, uri, after_track, set_as_current): """Adds a URI in the TrackList. :param str uri: The uri of the item to add. :param str after_track: The identifier of the track after which the new item should be inserted. :param bool set_as_current: ...
[ "def", "AddTrack", "(", "self", ",", "uri", ",", "after_track", ",", "set_as_current", ")", ":", "self", ".", "iface", ".", "AddTrack", "(", "uri", ",", "convert2dbus", "(", "after_track", ",", "'o'", ")", ",", "convert2dbus", "(", "set_as_current", ",", ...
Adds a URI in the TrackList. :param str uri: The uri of the item to add. :param str after_track: The identifier of the track after which the new item should be inserted. :param bool set_as_current: Whether the newly inserted track ...
[ "Adds", "a", "URI", "in", "the", "TrackList", "." ]
4bd64a1f0d151f2adfc392ab34fd9b38894786cb
https://github.com/wistful/pympris/blob/4bd64a1f0d151f2adfc392ab34fd9b38894786cb/pympris/TrackList.py#L48-L59
train
robinandeer/puzzle
puzzle/models/sql/genelist.py
GeneList.delete_gene
def delete_gene(self, *gene_ids): """Delete one or more gene ids form the list.""" self.gene_ids = [gene_id for gene_id in self.gene_ids if gene_id not in gene_ids]
python
def delete_gene(self, *gene_ids): """Delete one or more gene ids form the list.""" self.gene_ids = [gene_id for gene_id in self.gene_ids if gene_id not in gene_ids]
[ "def", "delete_gene", "(", "self", ",", "*", "gene_ids", ")", ":", "self", ".", "gene_ids", "=", "[", "gene_id", "for", "gene_id", "in", "self", ".", "gene_ids", "if", "gene_id", "not", "in", "gene_ids", "]" ]
Delete one or more gene ids form the list.
[ "Delete", "one", "or", "more", "gene", "ids", "form", "the", "list", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/models/sql/genelist.py#L44-L47
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.healthy_update_timer
def healthy_update_timer(self): """Check state of update timer.""" state = None if self.update_status_timer and self.update_status_timer.is_alive(): _LOGGER.debug("Timer: healthy") state = True else: _LOGGER.debug("Timer: not healthy") sta...
python
def healthy_update_timer(self): """Check state of update timer.""" state = None if self.update_status_timer and self.update_status_timer.is_alive(): _LOGGER.debug("Timer: healthy") state = True else: _LOGGER.debug("Timer: not healthy") sta...
[ "def", "healthy_update_timer", "(", "self", ")", ":", "state", "=", "None", "if", "self", ".", "update_status_timer", "and", "self", ".", "update_status_timer", ".", "is_alive", "(", ")", ":", "_LOGGER", ".", "debug", "(", "\"Timer: healthy\"", ")", "state", ...
Check state of update timer.
[ "Check", "state", "of", "update", "timer", "." ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L71-L82
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.initialize
def initialize(self): """initialize the object""" self.network_status = self.get_network_status() self.name = self.network_status.get('network_name', 'Unknown') self.location_info = self.get_location_info() self.device_info = self.get_device_info() self.device_id = ( ...
python
def initialize(self): """initialize the object""" self.network_status = self.get_network_status() self.name = self.network_status.get('network_name', 'Unknown') self.location_info = self.get_location_info() self.device_info = self.get_device_info() self.device_id = ( ...
[ "def", "initialize", "(", "self", ")", ":", "self", ".", "network_status", "=", "self", ".", "get_network_status", "(", ")", "self", ".", "name", "=", "self", ".", "network_status", ".", "get", "(", "'network_name'", ",", "'Unknown'", ")", "self", ".", "...
initialize the object
[ "initialize", "the", "object" ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L84-L95
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.initialize_socket
def initialize_socket(self): """initialize the socket""" try: _LOGGER.debug("Trying to open socket.") self._socket = socket.socket( socket.AF_INET, # IPv4 socket.SOCK_DGRAM # UDP ) self._socket.bind(('', self._udp_port...
python
def initialize_socket(self): """initialize the socket""" try: _LOGGER.debug("Trying to open socket.") self._socket = socket.socket( socket.AF_INET, # IPv4 socket.SOCK_DGRAM # UDP ) self._socket.bind(('', self._udp_port...
[ "def", "initialize_socket", "(", "self", ")", ":", "try", ":", "_LOGGER", ".", "debug", "(", "\"Trying to open socket.\"", ")", "self", ".", "_socket", "=", "socket", ".", "socket", "(", "socket", ".", "AF_INET", ",", "# IPv4", "socket", ".", "SOCK_DGRAM", ...
initialize the socket
[ "initialize", "the", "socket" ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L97-L114
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.initialize_worker
def initialize_worker(self): """initialize the worker thread""" worker_thread = threading.Thread( name="WorkerThread", target=message_worker, args=(self,)) worker_thread.setDaemon(True) worker_thread.start()
python
def initialize_worker(self): """initialize the worker thread""" worker_thread = threading.Thread( name="WorkerThread", target=message_worker, args=(self,)) worker_thread.setDaemon(True) worker_thread.start()
[ "def", "initialize_worker", "(", "self", ")", ":", "worker_thread", "=", "threading", ".", "Thread", "(", "name", "=", "\"WorkerThread\"", ",", "target", "=", "message_worker", ",", "args", "=", "(", "self", ",", ")", ")", "worker_thread", ".", "setDaemon", ...
initialize the worker thread
[ "initialize", "the", "worker", "thread" ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L116-L121
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.initialize_zones
def initialize_zones(self): """initialize receiver zones""" zone_list = self.location_info.get('zone_list', {'main': True}) for zone_id in zone_list: if zone_list[zone_id]: # Location setup is valid self.zones[zone_id] = Zone(self, zone_id=zone_id) else:...
python
def initialize_zones(self): """initialize receiver zones""" zone_list = self.location_info.get('zone_list', {'main': True}) for zone_id in zone_list: if zone_list[zone_id]: # Location setup is valid self.zones[zone_id] = Zone(self, zone_id=zone_id) else:...
[ "def", "initialize_zones", "(", "self", ")", ":", "zone_list", "=", "self", ".", "location_info", ".", "get", "(", "'zone_list'", ",", "{", "'main'", ":", "True", "}", ")", "for", "zone_id", "in", "zone_list", ":", "if", "zone_list", "[", "zone_id", "]",...
initialize receiver zones
[ "initialize", "receiver", "zones" ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L123-L131
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.handle_status
def handle_status(self): """Handle status from device""" status = self.get_status() if status: # Update main-zone self.zones['main'].update_status(status)
python
def handle_status(self): """Handle status from device""" status = self.get_status() if status: # Update main-zone self.zones['main'].update_status(status)
[ "def", "handle_status", "(", "self", ")", ":", "status", "=", "self", ".", "get_status", "(", ")", "if", "status", ":", "# Update main-zone", "self", ".", "zones", "[", "'main'", "]", ".", "update_status", "(", "status", ")" ]
Handle status from device
[ "Handle", "status", "from", "device" ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L162-L168
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.handle_netusb
def handle_netusb(self, message): """Handles 'netusb' in message""" # _LOGGER.debug("message: {}".format(message)) needs_update = 0 if self._yamaha: if 'play_info_updated' in message: play_info = self.get_play_info() # _LOGGER.debug(play_info)...
python
def handle_netusb(self, message): """Handles 'netusb' in message""" # _LOGGER.debug("message: {}".format(message)) needs_update = 0 if self._yamaha: if 'play_info_updated' in message: play_info = self.get_play_info() # _LOGGER.debug(play_info)...
[ "def", "handle_netusb", "(", "self", ",", "message", ")", ":", "# _LOGGER.debug(\"message: {}\".format(message))", "needs_update", "=", "0", "if", "self", ".", "_yamaha", ":", "if", "'play_info_updated'", "in", "message", ":", "play_info", "=", "self", ".", "get_p...
Handles 'netusb' in message
[ "Handles", "netusb", "in", "message" ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L170-L203
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.handle_features
def handle_features(self, device_features): """Handles features of the device""" self.device_features = device_features if device_features and 'zone' in device_features: for zone in device_features['zone']: zone_id = zone.get('id') if zone_id in self...
python
def handle_features(self, device_features): """Handles features of the device""" self.device_features = device_features if device_features and 'zone' in device_features: for zone in device_features['zone']: zone_id = zone.get('id') if zone_id in self...
[ "def", "handle_features", "(", "self", ",", "device_features", ")", ":", "self", ".", "device_features", "=", "device_features", "if", "device_features", "and", "'zone'", "in", "device_features", ":", "for", "zone", "in", "device_features", "[", "'zone'", "]", "...
Handles features of the device
[ "Handles", "features", "of", "the", "device" ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L205-L217
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.handle_event
def handle_event(self, message): """Dispatch all event messages""" # _LOGGER.debug(message) needs_update = 0 for zone in self.zones: if zone in message: _LOGGER.debug("Received message for zone: %s", zone) self.zones[zone].update_status(message...
python
def handle_event(self, message): """Dispatch all event messages""" # _LOGGER.debug(message) needs_update = 0 for zone in self.zones: if zone in message: _LOGGER.debug("Received message for zone: %s", zone) self.zones[zone].update_status(message...
[ "def", "handle_event", "(", "self", ",", "message", ")", ":", "# _LOGGER.debug(message)", "needs_update", "=", "0", "for", "zone", "in", "self", ".", "zones", ":", "if", "zone", "in", "message", ":", "_LOGGER", ".", "debug", "(", "\"Received message for zone: ...
Dispatch all event messages
[ "Dispatch", "all", "event", "messages" ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L219-L233
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.update_status
def update_status(self, reset=False): """Update device status.""" if self.healthy_update_timer and not reset: return # get device features only once if not self.device_features: self.handle_features(self.get_features()) # Get status from device to regist...
python
def update_status(self, reset=False): """Update device status.""" if self.healthy_update_timer and not reset: return # get device features only once if not self.device_features: self.handle_features(self.get_features()) # Get status from device to regist...
[ "def", "update_status", "(", "self", ",", "reset", "=", "False", ")", ":", "if", "self", ".", "healthy_update_timer", "and", "not", "reset", ":", "return", "# get device features only once", "if", "not", "self", ".", "device_features", ":", "self", ".", "handl...
Update device status.
[ "Update", "device", "status", "." ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L239-L252
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.setup_update_timer
def setup_update_timer(self, reset=False): """Schedule a Timer Thread.""" _LOGGER.debug("Timer: firing again in %d seconds", self._interval) self.update_status_timer = threading.Timer( self._interval, self.update_status, [True]) self.update_status_timer.setDaemon(True) ...
python
def setup_update_timer(self, reset=False): """Schedule a Timer Thread.""" _LOGGER.debug("Timer: firing again in %d seconds", self._interval) self.update_status_timer = threading.Timer( self._interval, self.update_status, [True]) self.update_status_timer.setDaemon(True) ...
[ "def", "setup_update_timer", "(", "self", ",", "reset", "=", "False", ")", ":", "_LOGGER", ".", "debug", "(", "\"Timer: firing again in %d seconds\"", ",", "self", ".", "_interval", ")", "self", ".", "update_status_timer", "=", "threading", ".", "Timer", "(", ...
Schedule a Timer Thread.
[ "Schedule", "a", "Timer", "Thread", "." ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L254-L260
train
jalmeroth/pymusiccast
pymusiccast/__init__.py
McDevice.set_playback
def set_playback(self, playback): """Send Playback command.""" req_url = ENDPOINTS["setPlayback"].format(self._ip_address) params = {"playback": playback} return request(req_url, params=params)
python
def set_playback(self, playback): """Send Playback command.""" req_url = ENDPOINTS["setPlayback"].format(self._ip_address) params = {"playback": playback} return request(req_url, params=params)
[ "def", "set_playback", "(", "self", ",", "playback", ")", ":", "req_url", "=", "ENDPOINTS", "[", "\"setPlayback\"", "]", ".", "format", "(", "self", ".", "_ip_address", ")", "params", "=", "{", "\"playback\"", ":", "playback", "}", "return", "request", "("...
Send Playback command.
[ "Send", "Playback", "command", "." ]
616379ae22d6b518c61042d58be6d18a46242168
https://github.com/jalmeroth/pymusiccast/blob/616379ae22d6b518c61042d58be6d18a46242168/pymusiccast/__init__.py#L272-L276
train
robinandeer/puzzle
puzzle/plugins/gemini/mixins/variant.py
VariantMixin.build_gemini_query
def build_gemini_query(self, query, extra_info): """Append sql to a gemini query Args: query(str): The gemini query extra_info(str): The text that should be added Return: extended_query(str) """ if 'WHERE' in query: return "{0} AN...
python
def build_gemini_query(self, query, extra_info): """Append sql to a gemini query Args: query(str): The gemini query extra_info(str): The text that should be added Return: extended_query(str) """ if 'WHERE' in query: return "{0} AN...
[ "def", "build_gemini_query", "(", "self", ",", "query", ",", "extra_info", ")", ":", "if", "'WHERE'", "in", "query", ":", "return", "\"{0} AND {1}\"", ".", "format", "(", "query", ",", "extra_info", ")", "else", ":", "return", "\"{0} WHERE {1}\"", ".", "form...
Append sql to a gemini query Args: query(str): The gemini query extra_info(str): The text that should be added Return: extended_query(str)
[ "Append", "sql", "to", "a", "gemini", "query" ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/gemini/mixins/variant.py#L20-L33
train
robinandeer/puzzle
puzzle/plugins/gemini/mixins/variant.py
VariantMixin.variants
def variants(self, case_id, skip=0, count=1000, filters=None): """Return count variants for a case. This function needs to have different behaviours based on what is asked for. It should allways try to give minimal information back to improve on speed. For example, if consequences are n...
python
def variants(self, case_id, skip=0, count=1000, filters=None): """Return count variants for a case. This function needs to have different behaviours based on what is asked for. It should allways try to give minimal information back to improve on speed. For example, if consequences are n...
[ "def", "variants", "(", "self", ",", "case_id", ",", "skip", "=", "0", ",", "count", "=", "1000", ",", "filters", "=", "None", ")", ":", "filters", "=", "filters", "or", "{", "}", "logger", ".", "debug", "(", "\"Looking for variants in {0}\"", ".", "fo...
Return count variants for a case. This function needs to have different behaviours based on what is asked for. It should allways try to give minimal information back to improve on speed. For example, if consequences are not asked for we will not build all transcripts. If not sv variants...
[ "Return", "count", "variants", "for", "a", "case", "." ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/gemini/mixins/variant.py#L35-L144
train
robinandeer/puzzle
puzzle/plugins/gemini/mixins/variant.py
VariantMixin._variants
def _variants(self, case_id, gemini_query): """Return variants found in the gemini database Args: case_id (str): The case for which we want to see information gemini_query (str): What variants should be chosen filters (dict): A dictionary with filters...
python
def _variants(self, case_id, gemini_query): """Return variants found in the gemini database Args: case_id (str): The case for which we want to see information gemini_query (str): What variants should be chosen filters (dict): A dictionary with filters...
[ "def", "_variants", "(", "self", ",", "case_id", ",", "gemini_query", ")", ":", "individuals", "=", "[", "]", "# Get the individuals for the case", "case_obj", "=", "self", ".", "case", "(", "case_id", ")", "for", "individual", "in", "case_obj", ".", "individu...
Return variants found in the gemini database Args: case_id (str): The case for which we want to see information gemini_query (str): What variants should be chosen filters (dict): A dictionary with filters Yields: variant_obj (dict...
[ "Return", "variants", "found", "in", "the", "gemini", "database" ]
9476f05b416d3a5135d25492cb31411fdf831c58
https://github.com/robinandeer/puzzle/blob/9476f05b416d3a5135d25492cb31411fdf831c58/puzzle/plugins/gemini/mixins/variant.py#L189-L235
train