source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, text):
score = self.score(text)
if not score:
return None
return sorted(score.items(), key=lambda v: v[1])[-1][0]
| classify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n score = self.score(text)\n if not score:\n return None\n return sorted(score.items(), key=lambda v: v[1])[-1][0]\n",
"role":... |
def x(self, text):
occurs = self.count_token_occurrences(self.tokenizer(text))
scores = {}
for category in self.categories.get_categories().keys():
scores[category] = 0
categories = self.categories.get_categories().items()
for word, count in occurs.items():
token_scores = {}
for category, bayes_category in categories:
token_scores[category] = float(bayes_category.get_token_count(word)
)
token_tally = sum(token_scores.values())
if token_tally == 0.0:
continue
for category, token_score in token_scores.items():
scores[category] += count * self.calculate_bayesian_probability(
category, token_score, token_tally)
final_scores = {}
for category, score in scores.items():
if score > 0:
final_scores[category] = score
return final_scores
| score | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n occurs = self.count_token_occurrences(self.tokenizer(text))\n scores = {}\n for category in self.categories.get_categories().keys():\n ... |
def x(self, cat, token_score, token_tally):
prc = self.probabilities[cat]['prc']
prnc = self.probabilities[cat]['prnc']
prtnc = (token_tally - token_score) / token_tally
prtc = token_score / token_tally
numerator = prtc * prc
denominator = numerator + prtnc * prnc
return numerator / denominator if denominator != 0.0 else 0.0
| calculate_bayesian_probability | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cat, token_score, token_tally):\n prc = self.probabilities[cat]['prc']\n prnc = self.probabilities[cat]['prnc']\n prtnc = (token_tally - token_s... |
def x(self, category):
try:
bayes_category = self.categories.get_category(category)
except KeyError:
return 0
return bayes_category.get_tally()
| tally | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category):\n try:\n bayes_category = self.categories.get_category(category)\n except KeyError:\n return 0\n return bayes_category.... |
def x(self):
filename = self.cache_path if self.cache_path[-1:
] == '/' else self.cache_path + '/'
filename += self.cache_file
return filename
| get_cache_location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filename = self.cache_path if self.cache_path[-1:\n ] == '/' else self.cache_path + '/'\n filename += self.cache_file\n return filenam... |
def x(self):
filename = self.get_cache_location()
pickle.dump(self.categories, open(filename, 'wb'))
| cache_persist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filename = self.get_cache_location()\n pickle.dump(self.categories, open(filename, 'wb'))\n",
"role": "user"
},
{
"content": "cache_... |
def x(self):
filename = self.get_cache_location()
if not os.path.exists(filename):
return False
categories = pickle.load(open(filename, 'rb'))
assert isinstance(categories, BayesCategories
), 'Cache data is either corrupt or invalid'
self.categories = categories
self.calculate_category_probability()
return True
| cache_train | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filename = self.get_cache_location()\n if not os.path.exists(filename):\n return False\n categories = pickle.load(open(filename, 'rb')... |
def x(self, created=False):
if created:
for feature_type in FeatureType.objects.all():
FeatureTypeRate.objects.create(role=self, feature_type=
feature_type, rate=0)
| create_feature_type_rates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, created=False):\n if created:\n for feature_type in FeatureType.objects.all():\n FeatureTypeRate.objects.create(role=self, feature_t... |
def x(self, service, namespace=None, seperator='.'):
if namespace is None:
namespace = []
if isinstance(namespace, basestring):
namespace = [namespace]
for n, m in inspect.getmembers(self, inspect.ismethod):
if hasattr(m, 'export_rpc'):
try:
name = seperator.join(namespace + m.export_rpc)
except TypeError:
name = seperator.join(namespace + [m.export_rpc])
service.add(m, name)
| addToService | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, service, namespace=None, seperator='.'):\n if namespace is None:\n namespace = []\n if isinstance(namespace, basestring):\n namespace... |
def x(text, done, total, width):
if total > 0:
n = int(float(width) * float(done) / float(total))
sys.stdout.write('\r{0} [{1}{2}] ({3}/{4})'.format(text, '#' * n,
' ' * (width - n), done, total))
sys.stdout.flush()
| print_progress_bar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, done, total, width):\n if total > 0:\n n = int(float(width) * float(done) / float(total))\n sys.stdout.write('\\r{0} [{1}{2}] ({3}/{4})'... |
def x(config, relative_path, download_directory):
from collections import Iterable, namedtuple, defaultdict
from autocmake.extract import extract_list, to_d, to_l
from autocmake.parse_rst import parse_cmake_module
cleaned_config = defaultdict(lambda : [])
modules = []
Module = namedtuple('Module', 'path name')
num_sources = len(extract_list(config, 'source'))
print_progress_bar(text='- assembling modules:', done=0, total=
num_sources, width=30)
if 'modules' in config:
i = 0
for t in config['modules']:
for k, v in t.items():
d = to_d(v)
for _k, _v in to_d(v).items():
cleaned_config[_k] = flat_add(cleaned_config[_k], _v)
if 'source' in d:
for src in to_l(d['source']):
i += 1
module_name = os.path.basename(src)
if 'http' in src:
path = download_directory
name = 'autocmake_{0}'.format(module_name)
dst = os.path.join(download_directory,
'autocmake_{0}'.format(module_name))
fetch_url(src, dst)
file_name = dst
fetch_dst_directory = download_directory
elif os.path.exists(src):
path = os.path.dirname(src)
name = module_name
file_name = src
fetch_dst_directory = path
else:
sys.stderr.write('ERROR: {0} does not exist\n'.
format(src))
sys.exit(-1)
with open(file_name, 'r') as f:
parsed_config = parse_cmake_module(f.read(), d)
for _k2, _v2 in parsed_config.items():
if _k2 not in to_d(v):
cleaned_config[_k2] = flat_add(
cleaned_config[_k2], _v2)
modules.append(Module(path=path, name=name))
print_progress_bar(text='- assembling modules:',
done=i, total=num_sources, width=30)
print('')
return modules, cleaned_config
| fetch_modules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, relative_path, download_directory):\n from collections import Iterable, namedtuple, defaultdict\n from autocmake.extract import extract_list, to_... |
def x(argv):
if len(argv) != 2:
sys.stderr.write('\nYou can update a project in two steps.\n\n')
sys.stderr.write('Step 1: Update or create infrastructure files\n')
sys.stderr.write(
' which will be needed to configure and build the project:\n'
)
sys.stderr.write(' $ {0} --self\n\n'.format(argv[0]))
sys.stderr.write(
'Step 2: Create CMakeLists.txt and setup script in PROJECT_ROOT:\n'
)
sys.stderr.write(' $ {0} <PROJECT_ROOT>\n'.format(argv[0]))
sys.stderr.write(' example:\n')
sys.stderr.write(' $ {0} ..\n'.format(argv[0]))
sys.exit(-1)
if argv[1] in ['-h', '--help']:
print('Usage:')
for t, h in [('python update.py --self',
'Update this script and fetch or update infrastructure files under autocmake/.'
), ('python update.py <builddir>',
'(Re)generate CMakeLists.txt and setup script and fetch or update CMake modules.'
), ('python update.py (-h | --help)', 'Show this help text.')]:
print(' {0:30} {1}'.format(t, h))
sys.exit(0)
if argv[1] == '--self':
if not os.path.isfile('autocmake.yml'):
print('- fetching example autocmake.yml')
fetch_url(src='{0}example/autocmake.yml'.format(
AUTOCMAKE_GITHUB_URL), dst='autocmake.yml')
if not os.path.isfile('.gitignore'):
print('- creating .gitignore')
with open('.gitignore', 'w') as f:
f.write('*.pyc\n')
for f in ['autocmake/configure.py', 'autocmake/__init__.py',
'autocmake/external/docopt.py',
'autocmake/external/__init__.py', 'autocmake/generate.py',
'autocmake/extract.py', 'autocmake/interpolate.py',
'autocmake/parse_rst.py', 'autocmake/parse_yaml.py', 'update.py']:
print('- fetching {0}'.format(f))
fetch_url(src='{0}{1}'.format(AUTOCMAKE_GITHUB_URL, f), dst=
'{0}'.format(f))
with open('README.md', 'w') as f:
print('- generating licensing information')
f.write(licensing_info())
sys.exit(0)
process_yaml(argv)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv):\n if len(argv) != 2:\n sys.stderr.write('\\nYou can update a project in two steps.\\n\\n')\n sys.stderr.write('Step 1: Update or create... |
def x(src, dst):
if sys.version_info[0] > 2:
import urllib.request
class URLopener(urllib.request.FancyURLopener):
def x(self, url, fp, errcode, errmsg, headers):
sys.stderr.write('ERROR: could not fetch {0}\n'.format(url))
sys.exit(-1)
else:
import urllib
class URLopener(urllib.FancyURLopener):
def x(self, url, fp, errcode, errmsg, headers):
sys.stderr.write('ERROR: could not fetch {0}\n'.format(url))
sys.exit(-1)
dirname = os.path.dirname(dst)
if dirname != '':
if not os.path.isdir(dirname):
os.makedirs(dirname)
opener = URLopener()
opener.retrieve(src, dst)
| fetch_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, dst):\n if sys.version_info[0] > 2:\n import urllib.request\n\n\n class URLopener(urllib.request.FancyURLopener):\n\n def x(se... |
def x(self, id, poll_id, poll_session_id):
path = {}
data = {}
params = {}
"""ID"""
path['poll_id'] = poll_id
"""ID"""
path['poll_session_id'] = poll_session_id
"""ID"""
path['id'] = id
self.logger.debug(
'GET /api/v1/polls/{poll_id}/poll_sessions/{poll_session_id}/poll_submissions/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/polls/{poll_id}/poll_sessions/{poll_session_id}/poll_submissions/{id}'
.format(**path), data=data, params=params, no_data=True)
| get_single_poll_submission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, poll_id, poll_session_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['poll_id'] = poll_id\n \"\"\"ID\"\"\"\n ... |
def x(self, poll_id, poll_session_id, poll_submissions_poll_choice_id):
path = {}
data = {}
params = {}
"""ID"""
path['poll_id'] = poll_id
"""ID"""
path['poll_session_id'] = poll_session_id
"""The chosen poll choice for this submission."""
data['poll_submissions[poll_choice_id]'] = poll_submissions_poll_choice_id
self.logger.debug(
'POST /api/v1/polls/{poll_id}/poll_sessions/{poll_session_id}/poll_submissions with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/polls/{poll_id}/poll_sessions/{poll_session_id}/poll_submissions'
.format(**path), data=data, params=params, no_data=True)
| create_single_poll_submission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, poll_id, poll_session_id, poll_submissions_poll_choice_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['poll_id'] = pol... |
def x(self, request, *args, **kwargs):
search_kwargs = {'published': False}
query_params = get_query_params(self.request)
for field_name in 'status':
if field_name in query_params:
search_kwargs[field_name] = query_params.get(field_name)
if 'search' in query_params:
search_kwargs['query'] = query_params.get('search')
if 'active' in query_params:
del search_kwargs['published']
search_kwargs['active'] = True
if 'closed' in query_params:
del search_kwargs['published']
search_kwargs['closed'] = True
queryset = self.model.search_objects.search(**search_kwargs)
page = self.paginate_queryset(queryset)
if page is not None:
serializer = self.get_serializer(page, many=True)
return self.get_paginated_response(serializer.data)
serializer = self.get_serializer(queryset, many=True)
return Response(serializer.data)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n search_kwargs = {'published': False}\n query_params = get_query_params(self.request)\n for field_name in 'status':\... |
def x(rnf_fastq_fo, fai_fo, genome_id, wgsim_fastq_1_fn, wgsim_fastq_2_fn=
None, number_of_read_tuples=10 ** 9):
wgsim_pattern = re.compile(
'@(.*)_([0-9]+)_([0-9]+)_([0-9]+):([0-9]+):([0-9]+)_([0-9]+):([0-9]+):([0-9]+)_([0-9a-f]+)/([12])'
)
"""
WGSIM read name format
1) contig name (chromsome name)
2) start end 1 (one-based)
3) end end 2 (one-based)
4) number of errors end 1
5) number of substitutions end 1
6) number of indels end 1
5) number of errors end 2
6) number of substitutions end 2
7) number of indels end 2
10) id
11) pair
"""
fai_index = rnftools.utils.FaIdx(fai_fo)
read_tuple_id_width = len(format(number_of_read_tuples, 'x'))
last_read_tuple_name = None
fq_creator = rnftools.rnfformat.FqCreator(fastq_fo=rnf_fastq_fo,
read_tuple_id_width=read_tuple_id_width, genome_id_width=2,
chr_id_width=fai_index.chr_id_width, coor_width=fai_index.
coor_width, info_reads_in_tuple=True, info_simulator='wgsim')
reads_in_tuple = 2
if wgsim_fastq_2_fn is None:
reads_in_tuple = 1
i = 0
with open(wgsim_fastq_1_fn, 'r+') as f_inp_1:
if reads_in_tuple == 2:
f_inp_2 = open(wgsim_fastq_2_fn)
for line_a in f_inp_1:
lines = [line_a.strip()]
if reads_in_tuple == 2:
lines.append(f_inp_2.readline().strip())
if i % 4 == 0:
segments = []
m = wgsim_pattern.search(lines[0])
if m is None:
rnftools.utils.error(
"Read tuple '{}' was not generated by WgSim.".
format(lines[0][1:]), program='RNFtools',
subprogram='MIShmash', exception=ValueError)
contig_name = m.group(1)
start_1 = int(m.group(2))
end_2 = int(m.group(3))
errors_1 = int(m.group(4))
substitutions_1 = int(m.group(5))
indels_1 = int(m.group(6))
errors_2 = int(m.group(7))
substitutions_2 = int(m.group(8))
indels_2 = int(m.group(9))
read_tuple_id_w = int(m.group(10), 16)
pair = int(m.group(11))
chr_id = fai_index.dict_chr_ids[contig_name
] if fai_index.dict_chr_ids != {} else '0'
if start_1 < end_2:
direction_1 = 'F'
direction_2 = 'R'
else:
direction_1 = 'R'
direction_2 = 'F'
segment1 = rnftools.rnfformat.Segment(genome_id=genome_id,
chr_id=chr_id, direction=direction_1, left=start_1, right=0
)
segment2 = rnftools.rnfformat.Segment(genome_id=genome_id,
chr_id=chr_id, direction=direction_2, left=0, right=end_2)
elif i % 4 == 1:
bases = lines[0]
if reads_in_tuple == 2:
bases2 = lines[1]
elif i % 4 == 2:
pass
elif i % 4 == 3:
qualities = lines[0]
if reads_in_tuple == 2:
qualities2 = lines[1]
if reads_in_tuple == 1:
fq_creator.add_read(read_tuple_id=i // 4 + 1, bases=
bases, qualities=qualities, segments=[segment1,
segment2])
else:
fq_creator.add_read(read_tuple_id=i // 4 + 1, bases=
bases, qualities=qualities, segments=[segment1])
fq_creator.add_read(read_tuple_id=i // 4 + 1, bases=
bases2, qualities=qualities2, segments=[segment2])
i += 1
fq_creator.flush_read_tuple()
| recode_wgsim_reads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rnf_fastq_fo, fai_fo, genome_id, wgsim_fastq_1_fn, wgsim_fastq_2_fn=\n None, number_of_read_tuples=10 ** 9):\n wgsim_pattern = re.compile(\n '@(.*... |
def x(self, request, view, obj):
if self.protected_methods and request.method not in self.protected_methods:
return True
user = getattr(request, 'user', None)
if not user or user.is_anonymous():
return False
if self.require_staff and not user.is_staff:
return False
if user.has_perms(self.permissions):
return True
authors_field = getattr(obj, self.authors_field, None)
if not authors_field:
return False
if self.author_permissions and not user.has_perms(self.author_permissions):
return False
return user in authors_field.all()
| has_object_permission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, view, obj):\n if self.protected_methods and request.method not in self.protected_methods:\n return True\n user = getattr(request, '... |
def x(self, request, view):
has_permission = False
if request.method == 'GET' or request.method in ['PUT', 'POST', 'DELETE'
] and request.user and request.user.is_superuser:
has_permission = True
return has_permission
| has_permission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, view):\n has_permission = False\n if request.method == 'GET' or request.method in ['PUT', 'POST', 'DELETE'\n ] and request.user and... |
def x(self, app):
self.parent = app
app.add_subapp(self.prefix, self.app)
| bind | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n self.parent = app\n app.add_subapp(self.prefix, self.app)\n",
"role": "user"
},
{
"content": "bind",
"role": "assistant"
... |
def x(self, *paths, methods=None, name=None):
if isinstance(methods, str):
methods = [methods]
def x(handler):
if isinstance(handler, (FunctionType, MethodType)):
handler = RESTHandler.from_view(handler, *(methods or ['GET']))
if handler.name in self.handlers:
raise muffin.MuffinException(
'Handler is already registered: %s' % handler.name)
self.handlers[tuple(paths or ['/{0}/{{{0}}}'.format(handler.name)])
] = handler
handler.bind(self.app, *paths, methods=methods, name=name or
handler.name)
return handler
if len(paths) == 1 and callable(paths[0]):
view = paths[0]
paths = []
return wrapper(view)
return wrapper
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *paths, methods=None, name=None):\n if isinstance(methods, str):\n methods = [methods]\n\n def x(handler):\n if isinstance(handler, (... |
def x(self, request):
if self.parent is None:
return {}
spec = APISpec(self.parent.name, self.parent.cfg.get('VERSION', ''),
plugins=['apispec.ext.marshmallow'], basePatch=self.prefix)
for paths, handler in self.handlers.items():
spec.add_tag({'name': handler.name, 'description': utils.dedent(
handler.__doc__ or '')})
for path in paths:
operations = {}
for http_method in handler.methods:
method = getattr(handler, http_method.lower())
operation = OrderedDict({'tags': [handler.name], 'summary':
method.__doc__, 'produces': ['application/json'],
'responses': {(200): {'schema': {'$ref': {
'#/definitions/' + handler.name}}}}})
operation.update(utils.load_yaml_from_docstring(method.
__doc__) or {})
operations[http_method.lower()] = operation
spec.add_path(self.prefix + path, operations=operations)
if getattr(handler, 'Schema', None):
kwargs = {}
if getattr(handler.meta, 'model', None):
kwargs['description'] = utils.dedent(handler.meta.model.
__doc__ or '')
spec.definition(handler.name, schema=handler.Schema, **kwargs)
return deepcopy(spec.to_dict())
| swagger_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if self.parent is None:\n return {}\n spec = APISpec(self.parent.name, self.parent.cfg.get('VERSION', ''),\n plugins=['ap... |
def x(*args, **kw):
import warnings
warnings.warn(
'lepton.domain.Box is deprecated, use AABox instead. This domain class will mean something different in future versions of lepton'
, stacklevel=2)
return AABox(*args, **kw)
| Box | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kw):\n import warnings\n warnings.warn(\n 'lepton.domain.Box is deprecated, use AABox instead. This domain class will mean something diff... |
def x(**kwargs):
pzone = PZone.objects.get(**kwargs)
when = timezone.now()
data = pzone.data
for operation in pzone.operations.filter(when__lte=when, applied=False):
data = operation.apply(data)
operation.applied = True
operation.save()
pzone.data = data
pzone.history.create(data=pzone.data)
pzone.save()
| update_pzone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n pzone = PZone.objects.get(**kwargs)\n when = timezone.now()\n data = pzone.data\n for operation in pzone.operations.filter(when__lte=w... |
def x(self, when=None, apply=False, **kwargs):
pzone = self.get(**kwargs)
now = timezone.now()
if when is None:
when = now
if when < now:
histories = pzone.history.filter(date__lte=when)
if histories.exists():
pzone.data = histories[0].data
else:
data = pzone.data
next_operation_time = cache.get('pzone-operation-expiry-' + pzone.name)
if next_operation_time is None or next_operation_time < when:
pending_operations = pzone.operations.filter(when__lte=when,
applied=False)
for operation in pending_operations:
data = operation.apply(data)
pzone.data = data
if apply and pending_operations.exists():
update_pzone.delay(**kwargs)
return pzone
| operate_on | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, when=None, apply=False, **kwargs):\n pzone = self.get(**kwargs)\n now = timezone.now()\n if when is None:\n when = now\n if when < now... |
def x(self, when=timezone.now(), **kwargs):
return self.operate_on(when=when, apply=False, **kwargs)
| preview | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, when=timezone.now(), **kwargs):\n return self.operate_on(when=when, apply=False, **kwargs)\n",
"role": "user"
},
{
"content": "preview",
... |
def x(self):
url = None
if not self.get('downloadable'):
try:
url = self.client.get_location(self.client.STREAM_URL % self.
get('id'))
except serror as e:
print(e)
if not url:
try:
url = self.client.get_location(self.client.DOWNLOAD_URL % self.
get('id'))
except serror as e:
print(e)
return url
| get_download_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = None\n if not self.get('downloadable'):\n try:\n url = self.client.get_location(self.client.STREAM_URL % self.\n ... |
def x(self, filepath):
mtype = magic.from_file(filepath, mime=True)
if type(mtype) == bytes:
mtype = mtype.decode('utf-8')
if mtype == 'audio/mpeg':
ext = '.mp3'
elif mtype == 'audio/x-wav':
ext = '.wav'
else:
ext = '.' + self.get('original-format')
return ext
| get_file_extension | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath):\n mtype = magic.from_file(filepath, mime=True)\n if type(mtype) == bytes:\n mtype = mtype.decode('utf-8')\n if mtype == 'audio... |
def x(self, localdir):
directory = '{0}/{1}/'.format(localdir, self.get('username'))
if not os.path.exists(directory):
os.makedirs(directory)
return directory
| gen_localdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, localdir):\n directory = '{0}/{1}/'.format(localdir, self.get('username'))\n if not os.path.exists(directory):\n os.makedirs(directory)\n ... |
def x(self, localdir):
path = glob.glob(self.gen_localdir(localdir) + self.gen_filename() + '*')
if len(path) > 0 and os.path.getsize(path[0]) > 0:
return True
return False
| track_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, localdir):\n path = glob.glob(self.gen_localdir(localdir) + self.gen_filename() + '*')\n if len(path) > 0 and os.path.getsize(path[0]) > 0:\n ... |
def x(self, localdir):
ignore_file = '%s/.ignore' % localdir
list = []
if os.path.exists(ignore_file):
f = open(ignore_file)
ignored = f.readlines()
f.close()
for i in ignored:
list.append('%s/%s' % (localdir, i.rstrip()))
return list
| get_ignored_tracks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, localdir):\n ignore_file = '%s/.ignore' % localdir\n list = []\n if os.path.exists(ignore_file):\n f = open(ignore_file)\n ignored... |
def x(self, localdir, max_retry):
local_file = self.gen_localdir(localdir) + self.gen_filename()
if self.track_exists(localdir):
print('Track {0} already downloaded, skipping!'.format(self.get('id')))
return False
if local_file in self.get_ignored_tracks(localdir):
print('\x1b[93mTrack {0} ignored, skipping!!\x1b[0m'.format(self.
get('id')))
return False
dlurl = self.get_download_link()
if not dlurl:
raise serror("Can't download track_id:%d|%s" % (self.get('id'),
self.get('title')))
retry = max_retry
print('\nDownloading %s (%d)..' % (self.get('title'), self.get('id')))
while True:
try:
urllib.request.urlretrieve(dlurl, local_file, self._progress_hook)
break
except Exception as e:
if os.path.isfile(local_file):
os.unlink(local_file)
retry -= 1
if retry < 0:
raise serror(
"Can't download track-id %s, max retry reached (%d). Error occured: %s"
% (self.get('id'), max_retry, type(e)))
else:
print(
'\x1b[93mError occured for track-id %s (%s). Retrying.. (%d/%d) \x1b[0m'
% (self.get('id'), type(e), max_retry - retry, max_retry))
except KeyboardInterrupt:
if os.path.isfile(local_file):
os.unlink(local_file)
raise serror('KeyBoard Interrupt: Incomplete file removed.')
self.filepath = local_file + self.get_file_extension(local_file)
os.rename(local_file, self.filepath)
print('Downloaded => %s' % self.filepath)
self.downloaded = True
return True
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, localdir, max_retry):\n local_file = self.gen_localdir(localdir) + self.gen_filename()\n if self.track_exists(localdir):\n print('Track {0} ... |
def x(self, tag=None):
if self.downloaded is False:
raise serror("Track not downloaded, can't process tags..")
filetype = magic.from_file(self.filepath, mime=True)
if filetype != 'audio/mpeg':
raise serror('Cannot process tags for file type %s.' % filetype)
print('Processing tags for %s..' % self.filepath)
if tag is None:
tag = stag()
tag.load_id3(self)
tag.write_id3(self.filepath)
| process_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag=None):\n if self.downloaded is False:\n raise serror(\"Track not downloaded, can't process tags..\")\n filetype = magic.from_file(self.f... |
def x(self):
if self.downloaded is False:
raise serror("Track not downloaded, can't convert file..")
filetype = magic.from_file(self.filepath, mime=True)
if filetype == 'audio/mpeg':
print('File is already in mp3 format. Skipping convert.')
return False
rootpath = os.path.dirname(os.path.dirname(self.filepath))
backupdir = rootpath + '/backups/' + self.get('username')
if not os.path.exists(backupdir):
os.makedirs(backupdir)
backupfile = '%s/%s%s' % (backupdir, self.gen_filename(), self.
get_file_extension(self.filepath))
newfile = '%s.mp3' % self.filename_without_extension()
os.rename(self.filepath, backupfile)
self.filepath = newfile
print('Converting to %s..' % newfile)
song = AudioSegment.from_file(backupfile)
return song.export(newfile, format='mp3')
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.downloaded is False:\n raise serror(\"Track not downloaded, can't convert file..\")\n filetype = magic.from_file(self.filepath, m... |
def x(self, localdir, max_retry):
if self.get('artwork-url') == 'None':
self.metadata['artwork-path'] = None
return None
artwork_dir = localdir + '/artworks'
if not os.path.isdir(artwork_dir):
if os.path.isfile(artwork_dir):
os.unlink(artwork_dir)
os.mkdir(artwork_dir)
artwork_filepath = artwork_dir + '/' + self.gen_artwork_filename()
retry = max_retry
while True:
try:
res = urllib.request.urlopen(self.get('artwork-url'))
with open(artwork_filepath, 'wb') as file:
file.write(res.read())
break
except Exception as e:
retry -= 1
if retry < 0:
print(serror(
"Can't download track's artwork, max retry reached (%d). Error occured: %s"
% (max_retry, type(e))))
return False
else:
print(
"\x1b[93mTrack's artwork download failed (%s). Retrying.. (%d/%d) \x1b[0m"
% (type(e), max_retry - retry, max_retry))
self.metadata['artwork-path'] = artwork_filepath
| download_artwork | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, localdir, max_retry):\n if self.get('artwork-url') == 'None':\n self.metadata['artwork-path'] = None\n return None\n artwork_dir = lo... |
def x(self, blocknum, blocksize, totalsize):
read = blocknum * blocksize
if totalsize > 0:
percent = read * 100.0 / totalsize
s = '\r%d%% %*d / %d' % (percent, len(str(totalsize)), read, totalsize)
sys.stdout.write(s)
if read >= totalsize:
sys.stdout.write('\n')
else:
sys.stdout.write('read %d\n' % read)
| progress_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blocknum, blocksize, totalsize):\n read = blocknum * blocksize\n if totalsize > 0:\n percent = read * 100.0 / totalsize\n s = '\\r%d%... |
def x(self, track):
if not isinstance(track, strack):
raise TypeError('strack object required')
timestamp = calendar.timegm(parse(track.get('created-at')).timetuple())
self.mapper[TIT1] = TIT1(text=track.get('description'))
self.mapper[TIT2] = TIT2(text=track.get('title'))
self.mapper[TIT3] = TIT3(text=track.get('tags-list'))
self.mapper[TDOR] = TDOR(text=str(timestamp))
self.mapper[TLEN] = TLEN(text=track.get('duration'))
self.mapper[TOFN] = TOFN(text=track.get('permalink'))
self.mapper[TCON] = TCON(text=track.get('genre'))
self.mapper[TCOP] = TCOP(text=track.get('license'))
self.mapper[WOAS] = WOAS(url=track.get('permalink-url'))
self.mapper[WOAF] = WOAF(url=track.get('uri'))
self.mapper[TPUB] = TPUB(text=track.get('username'))
self.mapper[WOAR] = WOAR(url=track.get('user-url'))
self.mapper[TPE1] = TPE1(text=track.get('artist'))
self.mapper[TALB] = TALB(text='%s Soundcloud tracks' % track.get('artist'))
if track.get('artwork-path') is not None:
self.mapper[APIC] = APIC(value=track.get('artwork-path'))
| load_id3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, track):\n if not isinstance(track, strack):\n raise TypeError('strack object required')\n timestamp = calendar.timegm(parse(track.get('creat... |
def x(self, filename):
if not os.path.exists(filename):
raise ValueError("File doesn't exists.")
self.mapper.write(filename)
| write_id3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if not os.path.exists(filename):\n raise ValueError(\"File doesn't exists.\")\n self.mapper.write(filename)\n",
"role": "us... |
def x(images):
import pyglet
widest = max(img.width for img in images)
height = sum(img.height for img in images)
atlas = pyglet.image.atlas.TextureAtlas(width=_nearest_pow2(widest),
height=_nearest_pow2(height))
textures = [atlas.add(image) for image in images]
return atlas, textures
| atlas_from_images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(images):\n import pyglet\n widest = max(img.width for img in images)\n height = sum(img.height for img in images)\n atlas = pyglet.image.atlas.Text... |
def x(size, feather=0):
from pyglet import gl
assert feather >= 0, 'Expected feather value >= 0'
coords = range(size)
texel = (gl.GLfloat * size ** 2)()
r = size / 2.0
c = feather + 1.0
for y in coords:
col = y * size
for x in coords:
d = math.sqrt((x - r) ** 2 + (y - r) ** 2)
if d < r and 1.0 - 1.0 / (d / r - 1.0) < 100:
texel[x + col] = c ** 2 / c ** (1.0 - 1.0 / (d / r - 1.0))
else:
texel[x + col] = 0
id = gl.GLuint()
gl.glGenTextures(1, ctypes.byref(id))
gl.glBindTexture(gl.GL_TEXTURE_2D, id.value)
gl.glPixelStorei(gl.GL_UNPACK_ALIGNMENT, 4)
gl.glTexImage2D(gl.GL_TEXTURE_2D, 0, gl.GL_LUMINANCE, size, size, 0, gl
.GL_LUMINANCE, gl.GL_FLOAT, ctypes.byref(texel))
gl.glFlush()
return id.value
| create_point_texture | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(size, feather=0):\n from pyglet import gl\n assert feather >= 0, 'Expected feather value >= 0'\n coords = range(size)\n texel = (gl.GLfloat * size ... |
def x(cls, images, weights=None, filter=None, wrap=None,
aspect_adjust_width=False, aspect_adjust_height=False):
import pyglet
atlas, textures = _atlas_from_images(images)
texturizer = cls(atlas.texture.id, [tex.tex_coords for tex in textures],
weights, filter or pyglet.gl.GL_LINEAR, wrap or pyglet.gl.GL_CLAMP,
aspect_adjust_width, aspect_adjust_height)
texturizer.atlas = atlas
texturizer.textures = textures
return texturizer
| from_images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, images, weights=None, filter=None, wrap=None,\n aspect_adjust_width=False, aspect_adjust_height=False):\n import pyglet\n atlas, textures = _atla... |
def x(querystring):
if querystring is None or len(querystring) == 0:
return {}
qs_dict = parse.parse_qs(querystring, keep_blank_values=True)
for key in qs_dict:
if len(qs_dict[key]) != 1:
continue
qs_dict[key] = qs_dict[key][0]
if qs_dict[key] == '':
qs_dict[key] = True
return dict((key, qs_dict[key]) for key in qs_dict if len(key) != 0)
| parse_querystring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(querystring):\n if querystring is None or len(querystring) == 0:\n return {}\n qs_dict = parse.parse_qs(querystring, keep_blank_values=True)\n ... |
def x(self, pretty=True):
data_dict = self.to_dict()
if pretty:
return json.dumps(data_dict, sort_keys=True, indent=2)
return json.dumps(data_dict, sort_keys=True)
| to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pretty=True):\n data_dict = self.to_dict()\n if pretty:\n return json.dumps(data_dict, sort_keys=True, indent=2)\n return json.dumps(data... |
def x(self):
return dict((k, self.__dict__[k]) for k in self.__dict__ if k.find('_') !=
0)
| to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return dict((k, self.__dict__[k]) for k in self.__dict__ if k.find('_') !=\n 0)\n",
"role": "user"
},
{
"content": "to_dict",
... |
def x(self, route):
_resource = trim_resource(self.resource)
self.method = self.method.lower()
resource_match = route.resource_regex.search(_resource)
if resource_match is None:
return None
params = resource_match.groupdict()
querystring = params.pop('querystring', '')
setattr(self, 'param', params)
setattr(self, 'query', parse_querystring(querystring))
return copy.deepcopy(self)
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, route):\n _resource = trim_resource(self.resource)\n self.method = self.method.lower()\n resource_match = route.resource_regex.search(_resource)... |
def x(self, sign, code=200, data=None):
msg = copy.deepcopy(self)
msg.data = data
setattr(msg, 'code', code)
for _ in ['query', 'param', 'tunnel']:
if not hasattr(msg, _):
continue
delattr(msg, _)
if hasattr(msg, 'sign') and isinstance(msg.sign, list):
msg.sign.append(sign)
else:
msg.sign = [sign]
msg._type = Message.get_message_type(msg.__dict__)
return msg
| to_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sign, code=200, data=None):\n msg = copy.deepcopy(self)\n msg.data = data\n setattr(msg, 'code', code)\n for _ in ['query', 'param', 'tunnel'... |
def x(self):
msg = copy.deepcopy(self)
for _ in ['id', 'sign', 'tunnel', 'query', 'param']:
if not hasattr(msg, _):
continue
delattr(msg, _)
msg._type = Message.get_message_type(msg.__dict__)
return msg
| to_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n msg = copy.deepcopy(self)\n for _ in ['id', 'sign', 'tunnel', 'query', 'param']:\n if not hasattr(msg, _):\n continue\n ... |
def x(message):
for msg_type in MessageType.FIELDS:
if Message.is_type(msg_type, message):
return msg_type
return MessageType.UNKNOWN
| get_message_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n for msg_type in MessageType.FIELDS:\n if Message.is_type(msg_type, message):\n return msg_type\n return MessageType.UNKNOWN... |
def x(msg_type, msg):
for prop in MessageType.FIELDS[msg_type]['must']:
if msg.get(prop, False) is False:
return False
for prop in MessageType.FIELDS[msg_type]['prohibit']:
if msg.get(prop, False) is not False:
return False
return True
| is_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg_type, msg):\n for prop in MessageType.FIELDS[msg_type]['must']:\n if msg.get(prop, False) is False:\n return False\n for prop in Me... |
def x(self, f, name=None, types=None, required=None):
if name is None:
fname = f.__name__
else:
fname = name
self.method_data[fname] = {'method': f}
if types is not None:
self.method_data[fname]['types'] = types
if required is not None:
self.method_data[fname]['required'] = required
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f, name=None, types=None, required=None):\n if name is None:\n fname = f.__name__\n else:\n fname = name\n self.method_data[fname]... |
def x(self, exception=None):
if exception is None:
exception = ServiceUnavailableError
self.serve_exception = exception
if self.pending:
d = self.out_of_service_deferred = defer.Deferred()
return d
return defer.succeed(None)
| stopServing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exception=None):\n if exception is None:\n exception = ServiceUnavailableError\n self.serve_exception = exception\n if self.pending:\n ... |
def x(self, jsondata):
result = yield self.call_py(jsondata)
if result is None:
defer.returnValue(None)
else:
defer.returnValue(json.dumps(result))
| call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, jsondata):\n result = yield self.call_py(jsondata)\n if result is None:\n defer.returnValue(None)\n else:\n defer.returnValue(json... |
def x(self, e, id=None, jsonrpc=DEFAULT_JSONRPC):
if not id and not isinstance(e, ParseError) and not isinstance(e,
InvalidRequestError):
return None
respond = {'id': id}
if isinstance(jsonrpc, int):
if jsonrpc == 10:
respond['result'] = None
respond['error'] = e.dumps()['message']
else:
self._fill_ver(jsonrpc, respond)
respond['error'] = e.dumps()
else:
respond['jsonrpc'] = jsonrpc
respond['error'] = e.dumps()
return respond
| get_err | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, e, id=None, jsonrpc=DEFAULT_JSONRPC):\n if not id and not isinstance(e, ParseError) and not isinstance(e,\n InvalidRequestError):\n retu... |
def x(self, f):
argcount = f.func_code.co_argcount
if isinstance(f, types.MethodType):
argcount -= 1
if f.func_defaults is None:
return argcount
return argcount - len(f.func_defaults)
| man_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f):\n argcount = f.func_code.co_argcount\n if isinstance(f, types.MethodType):\n argcount -= 1\n if f.func_defaults is None:\n ret... |
def x(self, f):
if f.func_defaults is None:
return f.func_code.co_argcount
return f.func_code.co_argcount + len(f.func_defaults)
| max_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f):\n if f.func_defaults is None:\n return f.func_code.co_argcount\n return f.func_code.co_argcount + len(f.func_defaults)\n",
"role": "... |
def x(self, rdata):
if 'id' in rdata:
if isinstance(rdata['id'], basestring) or isinstance(rdata['id'], int
) or isinstance(rdata['id'], long) or isinstance(rdata['id'], float
) or rdata['id'] is None:
return rdata['id']
else:
raise InvalidRequestError
else:
return None
| get_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rdata):\n if 'id' in rdata:\n if isinstance(rdata['id'], basestring) or isinstance(rdata['id'], int\n ) or isinstance(rdata['id'], l... |
def x(self, rdata):
if 'method' in rdata:
if not isinstance(rdata['method'], basestring):
raise InvalidRequestError
else:
raise InvalidRequestError
if rdata['method'] not in self.method_data.keys():
raise MethodNotFoundError
return rdata['method']
| get_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rdata):\n if 'method' in rdata:\n if not isinstance(rdata['method'], basestring):\n raise InvalidRequestError\n else:\n ra... |
def x(self, rdata):
if 'params' in rdata:
if isinstance(rdata['params'], dict) or isinstance(rdata['params'],
list) or rdata['params'] is None:
return rdata['params']
else:
raise InvalidRequestError
else:
return None
| get_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rdata):\n if 'params' in rdata:\n if isinstance(rdata['params'], dict) or isinstance(rdata['params'],\n list) or rdata['params'] is ... |
def x(self, request, rdata):
if not isinstance(rdata, dict):
raise InvalidRequestError
request['jsonrpc'] = self._get_jsonrpc(rdata)
request['id'] = self._get_id(rdata)
request['method'] = self._get_method(rdata)
request['params'] = self._get_params(rdata)
| fill_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, rdata):\n if not isinstance(rdata, dict):\n raise InvalidRequestError\n request['jsonrpc'] = self._get_jsonrpc(rdata)\n request[... |
def x(self, request):
method = self.method_data[request['method']]['method']
params = request['params']
result = None
try:
if isinstance(params, list):
if len(params) < self._man_args(method):
raise InvalidParamsError('not enough arguments')
if not self._vargs(method) and len(params) > self._max_args(method
):
raise InvalidParamsError('too many arguments')
result = yield defer.maybeDeferred(method, *params)
elif isinstance(params, dict):
if request['jsonrpc'] < 11:
raise KeywordError
result = yield defer.maybeDeferred(method, **params)
else:
result = yield defer.maybeDeferred(method)
except JSONRPCError:
raise
except Exception:
log.msg('Exception raised while invoking RPC method "{}".'.format(
request['method']))
log.err()
raise ServerError
defer.returnValue(result)
| call_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n method = self.method_data[request['method']]['method']\n params = request['params']\n result = None\n try:\n if isinstance... |
def x(self, request):
if 'types' in self.method_data[request['method']]:
self._validate_params_types(request['method'], request['params'])
if self.serve_exception:
raise self.serve_exception()
d = self._call_method(request)
self.pending.add(d)
if self.timeout:
timeout_deferred = self.reactor.callLater(self.timeout, d.cancel)
def x(result):
if timeout_deferred.active():
timeout_deferred.cancel()
return result
d.addBoth(completed)
try:
result = yield d
except defer.CancelledError:
self._remove_pending(d)
raise TimeoutError()
except Exception as e:
self._remove_pending(d)
raise e
self._remove_pending(d)
if request['id'] is None:
defer.returnValue(None)
respond = {}
self._fill_ver(request['jsonrpc'], respond)
respond['result'] = result
respond['id'] = request['id']
defer.returnValue(respond)
| handle_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if 'types' in self.method_data[request['method']]:\n self._validate_params_types(request['method'], request['params'])\n if self... |
def x(self, method, params):
if isinstance(params, list):
if not isinstance(self.method_data[method]['types'], list):
raise InvalidParamsError('expected keyword params, not positional')
for param, type, posnum in zip(params, self.method_data[method][
'types'], range(1, len(params) + 1)):
if not (isinstance(param, type) or param is None):
raise InvalidParamsError('positional arg #{} is the wrong type'
.format(posnum))
elif isinstance(params, dict):
if not isinstance(self.method_data[method]['types'], dict):
raise InvalidParamsError('expected positional params, not keyword')
if 'required' in self.method_data[method]:
for key in self.method_data[method]['required']:
if key not in params:
raise InvalidParamsError('missing key: %s' % key)
for key in params.keys():
if key not in self.method_data[method]['types'] or not (isinstance
(params[key], self.method_data[method]['types'][key]) or
params[key] is None):
raise InvalidParamsError('arg "{}" is the wrong type'.
format(key))
| validate_params_types | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, params):\n if isinstance(params, list):\n if not isinstance(self.method_data[method]['types'], list):\n raise InvalidParamsE... |
def x(self):
self.clientFactory.connect().addErrback(log.err,
'error starting the JSON-RPC client service %r' % (self,))
service.Service.startService(self)
| startService | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.clientFactory.connect().addErrback(log.err, \n 'error starting the JSON-RPC client service %r' % (self,))\n service.Service.startSer... |
def x(self, *a, **kw):
if not self.running:
return defer.fail(ServiceStopped())
return self.clientFactory.callRemote(*a, **kw)
| callRemote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *a, **kw):\n if not self.running:\n return defer.fail(ServiceStopped())\n return self.clientFactory.callRemote(*a, **kw)\n",
"role": "us... |
def x(self):
error = {'code': self.code, 'message': str(self.message)}
if self.data is not None:
error['data'] = self.data
return error
| dumps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n error = {'code': self.code, 'message': str(self.message)}\n if self.data is not None:\n error['data'] = self.data\n return error\n",
... |
def x(self, parent, obj_type, **attributes):
response = self.post(self.server_url + parent.ref + '/' + obj_type,
attributes)
return self._get_href(response.json())
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent, obj_type, **attributes):\n response = self.post(self.server_url + parent.ref + '/' + obj_type,\n attributes)\n return self._get_href... |
def x(self, rnf_profile=RnfProfile()):
sorted_segments = sorted(self.segments, key=lambda x: x.genome_id * 10 **
23 + x.chr_id * 10 ** 21 + (x.left + (int(x.left == 0) * x.right -
1)) * 10 ** 11 + x.right * 10 ** 1 + int(x.direction == 'F'))
segments_strings = [x.stringize(rnf_profile) for x in sorted_segments]
read_tuple_name = '__'.join([self.prefix, format(self.read_tuple_id,
'x').zfill(rnf_profile.read_tuple_id_width), ','.join(
segments_strings), self.suffix])
return read_tuple_name
| stringize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rnf_profile=RnfProfile()):\n sorted_segments = sorted(self.segments, key=lambda x: x.genome_id * 10 **\n 23 + x.chr_id * 10 ** 21 + (x.left + (... |
def x(self, string):
m = read_tuple_destr_pattern.match(string)
if not m:
smbl.messages.error(
"'{}' is not a valid read name with respect to the RNF specification"
.format(string), program='RNFtools', subprogram='RNF format',
exception=ValueError)
groups = m.groups()
self.prefix = groups[0]
read_tuple_id = groups[1]
self.read_tuple_id = int(read_tuple_id, 16)
self.segments = []
segments_str = groups[2:-1]
for b_str in segments_str:
if b_str is not None:
if b_str[0] == ',':
b_str = b_str[1:]
b = rnftools.rnfformat.Segment()
b.destringize(b_str)
self.segments.append(b)
self.suffix = groups[-1]
| destringize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n m = read_tuple_destr_pattern.match(string)\n if not m:\n smbl.messages.error(\n \"'{}' is not a valid read name with r... |
def x(name, exec_, terminal=False, additional_opts={}):
desktop_file = '[Desktop Entry]\n'
desktop_file_dict = {'Name': name, 'Exec': exec_, 'Terminal': 'true' if
terminal else 'false', 'Comment': additional_opts.get('Comment', name)}
desktop_file = """[Desktop Entry]
Name={name}
Exec={exec_}
Terminal={terminal}
Comment={comment}
"""
desktop_file = desktop_file.format(name=desktop_file_dict['Name'],
exec_=desktop_file_dict['Exec'], terminal=desktop_file_dict[
'Terminal'], comment=desktop_file_dict['Comment'])
if additional_opts is None:
additional_opts = {}
for option in additional_opts:
if not option in desktop_file_dict:
desktop_file += '%s=%s\n' % (option, additional_opts[option])
return desktop_file
| construct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, exec_, terminal=False, additional_opts={}):\n desktop_file = '[Desktop Entry]\\n'\n desktop_file_dict = {'Name': name, 'Exec': exec_, 'Terminal': '... |
def x(desktop_file, files=None, return_cmd=False, background=False):
desktop_file_exec = parse(desktop_file)['Exec']
for i in desktop_file_exec.split():
if i.startswith('%'):
desktop_file_exec = desktop_file_exec.replace(i, '')
desktop_file_exec = desktop_file_exec.replace('%F', '')
desktop_file_exec = desktop_file_exec.replace('%f', '')
if files:
for i in files:
desktop_file_exec += ' ' + i
if parse(desktop_file)['Terminal']:
desktop_file_exec = eval(
'__import__("libdesktop").applications.terminal(exec_="%s", keep_open_after_cmd_exec=True, return_cmd=True)'
% desktop_file_exec)
if return_cmd:
return desktop_file_exec
desktop_file_proc = sp.Popen([desktop_file_exec], shell=True)
if not background:
desktop_file_proc.wait()
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(desktop_file, files=None, return_cmd=False, background=False):\n desktop_file_exec = parse(desktop_file)['Exec']\n for i in desktop_file_exec.split():\n ... |
def x(desktop_filename_or_name):
paths = [os.path.expanduser('~/.local/share/applications'),
'/usr/share/applications']
result = []
for path in paths:
for file in os.listdir(path):
if desktop_filename_or_name in file.split('.'
) or desktop_filename_or_name == file:
result.append(os.path.join(path, file))
else:
file_parsed = parse(os.path.join(path, file))
try:
if desktop_filename_or_name.lower() == file_parsed['Name'
].lower():
result.append(file)
elif desktop_filename_or_name.lower() == file_parsed['Exec'
].split(' ')[0]:
result.append(file)
except KeyError:
pass
for res in result:
if not res.endswith('.desktop'):
result.remove(res)
if not result and not result.endswith('.desktop'):
result.extend(locate(desktop_filename_or_name + '.desktop'))
return result
| locate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(desktop_filename_or_name):\n paths = [os.path.expanduser('~/.local/share/applications'),\n '/usr/share/applications']\n result = []\n for path ... |
def x(desktop_file_or_string):
if os.path.isfile(desktop_file_or_string):
with open(desktop_file_or_string) as f:
desktop_file = f.read()
else:
desktop_file = desktop_file_or_string
result = {}
for line in desktop_file.split('\n'):
if '=' in line:
result[line.split('=')[0]] = line.split('=')[1]
for key, value in result.items():
if value == 'false':
result[key] = False
elif value == 'true':
result[key] = True
if not 'Terminal' in result:
result['Terminal'] = False
if not 'Hidden' in result:
result['Hidden'] = False
return result
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(desktop_file_or_string):\n if os.path.isfile(desktop_file_or_string):\n with open(desktop_file_or_string) as f:\n desktop_file = f.read()\... |
def x(fs, timeout=None):
with _AcquireFutures(fs):
finished = set(f for f in fs if f._state in [CANCELLED_AND_NOTIFIED,
FINISHED])
pending = set(fs) - finished
waiter = _create_and_install_waiters(fs, _AS_COMPLETED)
timer = Timeout(timeout)
timer.start()
try:
for future in finished:
yield future
while pending:
waiter.event.wait()
with waiter.lock:
finished = waiter.finished_futures
waiter.finished_futures = []
waiter.event.clear()
for future in finished:
yield future
pending.remove(future)
except Timeout as e:
if timer is not e:
raise
raise TimeoutError('%d (of %d) futures unfinished' % (len(pending),
len(fs)))
finally:
timer.cancel()
for f in fs:
f._waiters.remove(waiter)
| as_completed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fs, timeout=None):\n with _AcquireFutures(fs):\n finished = set(f for f in fs if f._state in [CANCELLED_AND_NOTIFIED,\n FINISHED])\n ... |
def x(self, fn, *iterables, **kwargs):
loop = evergreen.current.loop
timeout = kwargs.get('timeout')
if timeout is not None:
end_time = timeout + loop.time()
fs = [self.submit(fn, *args) for args in zip(*iterables)]
def x():
try:
for future in fs:
if timeout is None:
yield future.get()
else:
yield future.get(end_time - loop.time())
finally:
for future in fs:
future.cancel()
return result_iterator()
| map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fn, *iterables, **kwargs):\n loop = evergreen.current.loop\n timeout = kwargs.get('timeout')\n if timeout is not None:\n end_time = timeo... |
def x(self, wsgi_app, fnc_serve=None):
self.set_wsgi_app(wsgi_app)
ssl_config = self.get_config('ssl')
ssl_context = {}
if self.get_config('server') == 'gevent':
if ssl_config.get('enabled'):
ssl_context['certfile'] = ssl_config.get('cert')
ssl_context['keyfile'] = ssl_config.get('key')
from gevent.pywsgi import WSGIServer
http_server = WSGIServer((self.host, self.port), wsgi_app, **
ssl_context)
self.log.debug('Serving WSGI via gevent.pywsgi.WSGIServer')
fnc_serve = http_server.serve_forever
elif self.get_config('server') == 'uwsgi':
self.pluginmgr_config['start_manual'] = True
elif self.get_config('server') == 'gunicorn':
self.pluginmgr_config['start_manual'] = True
elif self.get_config('server') == 'self':
fnc_serve = self.run
if self.get_config('async') == 'gevent':
import gevent
self.log.debug('Handling wsgi on gevent')
self.worker = gevent.spawn(fnc_serve)
elif self.get_config('async') == 'thread':
self.worker = fnc_serve
else:
self.worker = fnc_serve
| set_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wsgi_app, fnc_serve=None):\n self.set_wsgi_app(wsgi_app)\n ssl_config = self.get_config('ssl')\n ssl_context = {}\n if self.get_config('serve... |
def x(self, instance, add):
value = self.value_from_object(instance)
slug = None
if self.populate_from and (self.always_update or not value):
value = getattr(instance, self.populate_from)
if value:
value = force_text(value)
slug = self.slugify(value)
if self.max_length < len(slug):
slug = slug[:self.max_length]
setattr(instance, self.name, slug)
return slug
| pre_save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, add):\n value = self.value_from_object(instance)\n slug = None\n if self.populate_from and (self.always_update or not value):\n ... |
def x(primary_query, secondary_query, limit=30):
reading_list = SearchSlicer(limit=limit)
reading_list.register_queryset(primary_query)
reading_list.register_queryset(secondary_query, validator=lambda x:
bool(x == 0))
return reading_list
| FirstSlotSlicer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(primary_query, secondary_query, limit=30):\n reading_list = SearchSlicer(limit=limit)\n reading_list.register_queryset(primary_query)\n reading_list.r... |
def x(self, queryset, validator=None, default=False):
if default or self.default_queryset is None:
self.default_queryset = queryset
return
if validator:
self.querysets[validator] = queryset
else:
raise ValueError(
'Querysets require validation logic to integrate with reading lists.'
)
| register_queryset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queryset, validator=None, default=False):\n if default or self.default_queryset is None:\n self.default_queryset = queryset\n return\n ... |
def x(self):
now = timezone.now()
return timezone.datetime(day=1, month=now.month, year=now.year, tzinfo=
now.tzinfo)
| get_month_start_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n now = timezone.now()\n return timezone.datetime(day=1, month=now.month, year=now.year, tzinfo=\n now.tzinfo)\n",
"role": "user"
},
... |
def x(self, l):
if l is not None:
if type(l) in [list, tuple]:
for f in l:
for x in self._yield(f):
yield x
else:
for x in self._yield(l):
yield x
| yield_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, l):\n if l is not None:\n if type(l) in [list, tuple]:\n for f in l:\n for x in self._yield(f):\n ... |
def x(self, resource_path: str, data: dict, administration_id: int=None):
response = self.session.post(url=self._get_url(administration_id,
resource_path), json=data)
return self._process_response(response)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource_path: str, data: dict, administration_id: int=None):\n response = self.session.post(url=self._get_url(administration_id,\n resource_pa... |
def x(self, resource_path: str, administration_id: int=None):
response = self.session.delete(url=self._get_url(administration_id,
resource_path))
return self._process_response(response)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource_path: str, administration_id: int=None):\n response = self.session.delete(url=self._get_url(administration_id,\n resource_path))\n ... |
def x(self):
logger.debug('API session renewed')
self.session = self.authentication.get_session()
self.session.headers.update({'User-Agent': 'MoneyBird for Python %s' %
VERSION, 'Accept': 'application/json'})
| renew_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logger.debug('API session renewed')\n self.session = self.authentication.get_session()\n self.session.headers.update({'User-Agent': 'MoneyBir... |
def x(cls, administration_id: int, resource_path: str):
url = urljoin(cls.base_url, '%s/' % cls.version)
if administration_id is not None:
url = urljoin(url, '%s/' % administration_id)
url = urljoin(url, '%s.json' % resource_path)
return url
| get_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, administration_id: int, resource_path: str):\n url = urljoin(cls.base_url, '%s/' % cls.version)\n if administration_id is not None:\n url = u... |
def x(response: requests.Response, expected: list=[]) ->dict:
responses = {(200): None, (201): None, (204): None, (400): MoneyBird.
Unauthorized, (401): MoneyBird.Unauthorized, (403): MoneyBird.
Throttled, (404): MoneyBird.NotFound, (406): MoneyBird.NotFound, (
422): MoneyBird.InvalidData, (429): MoneyBird.Throttled, (500):
MoneyBird.ServerError}
logger.debug('API request: %s %s\n' % (response.request.method,
response.request.url) + 'Response: %s %s' % (response.status_code,
response.text))
if response.status_code not in expected:
if response.status_code not in responses:
logger.error('API response contained unknown status code')
raise MoneyBird.APIError(response,
'API response contained unknown status code')
elif responses[response.status_code] is not None:
try:
description = response.json()['error']
except (AttributeError, TypeError, KeyError, ValueError):
description = None
raise responses[response.status_code](response, description)
try:
data = response.json()
except ValueError:
logger.error('API response is not JSON decodable')
data = None
return data
| process_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response: requests.Response, expected: list=[]) ->dict:\n responses = {(200): None, (201): None, (204): None, (400): MoneyBird.\n Unauthorized, (401)... |
def x(cls, query, filters=None, status=None, sort=None, size=None, page=None):
url = getattr(settings, 'VIDEOHUB_API_SEARCH_URL', cls.
DEFAULT_VIDEOHUB_API_SEARCH_URL)
headers = {'Content-Type': 'application/json', 'Authorization':
settings.VIDEOHUB_API_TOKEN}
payload = {'query': query}
if filters:
assert isinstance(filters, dict)
payload['filters'] = filters
if status:
assert isinstance(status, six.string_types)
payload.setdefault('filters', {})
payload['filters']['status'] = status
if sort:
assert isinstance(sort, dict)
payload['sort'] = sort
if size:
assert isinstance(size, (six.string_types, int))
payload['size'] = size
if page:
assert isinstance(page, (six.string_types, int))
payload['page'] = page
res = requests.post(url, data=json.dumps(payload), headers=headers)
if res.status_code != 200:
res.raise_for_status()
return json.loads(res.content)
| search_videohub | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, query, filters=None, status=None, sort=None, size=None, page=None):\n url = getattr(settings, 'VIDEOHUB_API_SEARCH_URL', cls.\n DEFAULT_VIDEOHUB... |
def x(self):
url = getattr(settings, 'VIDEOHUB_VIDEO_URL', self.
DEFAULT_VIDEOHUB_VIDEO_URL)
ascii_title = ''
if isinstance(self.title, str):
ascii_title = self.title
elif six.PY2 and isinstance(self.title, six.text_type):
ascii_title = self.title.encode('ascii', 'replace')
path = slugify('{}-{}'.format(ascii_title, self.id))
return url.format(path)
| get_hub_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = getattr(settings, 'VIDEOHUB_VIDEO_URL', self.\n DEFAULT_VIDEOHUB_VIDEO_URL)\n ascii_title = ''\n if isinstance(self.title, str):... |
def x(self, targeting=None, recirc=None):
url = getattr(settings, 'VIDEOHUB_EMBED_URL', self.
DEFAULT_VIDEOHUB_EMBED_URL)
url = url.format(self.id)
if targeting is not None:
for k, v in sorted(targeting.items()):
url += '&{0}={1}'.format(k, v)
if recirc is not None:
url += '&recirc={0}'.format(recirc)
return url
| get_embed_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targeting=None, recirc=None):\n url = getattr(settings, 'VIDEOHUB_EMBED_URL', self.\n DEFAULT_VIDEOHUB_EMBED_URL)\n url = url.format(self.id... |
def x(self):
url = getattr(settings, 'VIDEOHUB_API_URL', None)
if not url:
url = getattr(settings, 'VIDEOHUB_API_BASE_URL', None)
if url:
url = url.rstrip('/') + '/videos/{}'
if not url:
url = self.DEFAULT_VIDEOHUB_API_URL
return url.format(self.id)
| get_api_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = getattr(settings, 'VIDEOHUB_API_URL', None)\n if not url:\n url = getattr(settings, 'VIDEOHUB_API_BASE_URL', None)\n if url:... |
def x(self, node):
if node is None or node._prev == -1:
return
if node._next is None:
self._last = node._prev
else:
node._next._prev = node._prev
if node._prev is None:
self._first = node._next
else:
node._prev._next = node._next
node._prev = node._next = -1
self._size -= 1
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if node is None or node._prev == -1:\n return\n if node._next is None:\n self._last = node._prev\n else:\n node._n... |
def x(self, account_id, outcome_group_style=None, outcome_style=None):
path = {}
data = {}
params = {}
"""ID"""
path['account_id'] = account_id
"""The detail level of the outcomes. Defaults to "abbrev".
Specify "full" for more information."""
if outcome_style is not None:
params['outcome_style'] = outcome_style
"""The detail level of the outcome groups. Defaults to "abbrev".
Specify "full" for more information."""
if outcome_group_style is not None:
params['outcome_group_style'] = outcome_group_style
self.logger.debug(
'GET /api/v1/accounts/{account_id}/outcome_group_links with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/accounts/{account_id}/outcome_group_links'.format(**path),
data=data, params=params, all_pages=True)
| get_all_outcome_links_for_context_accounts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account_id, outcome_group_style=None, outcome_style=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = a... |
def x(self, course_id, outcome_group_style=None, outcome_style=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The detail level of the outcomes. Defaults to "abbrev".
Specify "full" for more information."""
if outcome_style is not None:
params['outcome_style'] = outcome_style
"""The detail level of the outcome groups. Defaults to "abbrev".
Specify "full" for more information."""
if outcome_group_style is not None:
params['outcome_group_style'] = outcome_group_style
self.logger.debug(
'GET /api/v1/courses/{course_id}/outcome_group_links with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/courses/{course_id}/outcome_group_links'.format(**path),
data=data, params=params, all_pages=True)
| get_all_outcome_links_for_context_courses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, outcome_group_style=None, outcome_style=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = cou... |
def x(self, id):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
self.logger.debug(
'GET /api/v1/global/outcome_groups/{id}/subgroups with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/global/outcome_groups/{id}/subgroups'.format(**path), data
=data, params=params, all_pages=True)
| list_subgroups_global | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n self.logger.debug(\n 'GET /api/v1/global/outcome... |
def x(self, id, account_id):
path = {}
data = {}
params = {}
"""ID"""
path['account_id'] = account_id
"""ID"""
path['id'] = id
self.logger.debug(
'GET /api/v1/accounts/{account_id}/outcome_groups/{id}/subgroups with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/accounts/{account_id}/outcome_groups/{id}/subgroups'.
format(**path), data=data, params=params, all_pages=True)
| list_subgroups_accounts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, account_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"ID\"\"\"\n path['i... |
def x(self, id, title, description=None, vendor_guid=None):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""The title of the new outcome group."""
data['title'] = title
"""The description of the new outcome group."""
if description is not None:
data['description'] = description
"""A custom GUID for the learning standard"""
if vendor_guid is not None:
data['vendor_guid'] = vendor_guid
self.logger.debug(
'POST /api/v1/global/outcome_groups/{id}/subgroups with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/global/outcome_groups/{id}/subgroups'.format(**path), data
=data, params=params, single_item=True)
| create_subgroup_global | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, title, description=None, vendor_guid=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"The ti... |
def x(self, id, course_id, grading_periods_end_date,
grading_periods_start_date, grading_periods_weight=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['id'] = id
"""The date the grading period starts."""
data['grading_periods[start_date]'] = grading_periods_start_date
"""no description"""
data['grading_periods[end_date]'] = grading_periods_end_date
"""A weight value that contributes to the overall weight of a grading period set which is used to calculate how much assignments in this period contribute to the total grade"""
if grading_periods_weight is not None:
data['grading_periods[weight]'] = grading_periods_weight
self.logger.debug(
'PUT /api/v1/courses/{course_id}/grading_periods/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/courses/{course_id}/grading_periods/{id}'.format(**path),
data=data, params=params, no_data=True)
| update_single_grading_period | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, course_id, grading_periods_end_date,\n grading_periods_start_date, grading_periods_weight=None):\n path = {}\n data = {}\n params = {}\n ... |
def x(self, id, account_id):
path = {}
data = {}
params = {}
"""ID"""
path['account_id'] = account_id
"""ID"""
path['id'] = id
self.logger.debug(
'DELETE /api/v1/accounts/{account_id}/grading_periods/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('DELETE',
'/api/v1/accounts/{account_id}/grading_periods/{id}'.format(**path),
data=data, params=params, no_data=True)
| delete_grading_period_accounts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, account_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"ID\"\"\"\n path['i... |
def x(self, appointment_group_title, appointment_group_context_codes,
appointment_group_description=None, appointment_group_location_address=
None, appointment_group_location_name=None,
appointment_group_max_appointments_per_participant=None,
appointment_group_min_appointments_per_participant=None,
appointment_group_new_appointments_X=None,
appointment_group_participant_visibility=None,
appointment_group_participants_per_appointment=None,
appointment_group_publish=None, appointment_group_sub_context_codes=None):
path = {}
data = {}
params = {}
"""Array of context codes (courses, e.g. course_1) this group should be
linked to (1 or more). Users in the course(s) with appropriate permissions
will be able to sign up for this appointment group."""
data['appointment_group[context_codes]'] = appointment_group_context_codes
"""Array of sub context codes (course sections or a single group category)
this group should be linked to. Used to limit the appointment group to
particular sections. If a group category is specified, students will sign
up in groups and the participant_type will be "Group" instead of "User"."""
if appointment_group_sub_context_codes is not None:
data['appointment_group[sub_context_codes]'
] = appointment_group_sub_context_codes
"""Short title for the appointment group."""
data['appointment_group[title]'] = appointment_group_title
"""Longer text description of the appointment group."""
if appointment_group_description is not None:
data['appointment_group[description]'] = appointment_group_description
"""Location name of the appointment group."""
if appointment_group_location_name is not None:
data['appointment_group[location_name]'
] = appointment_group_location_name
"""Location address."""
if appointment_group_location_address is not None:
data['appointment_group[location_address]'
] = appointment_group_location_address
"""Indicates whether this appointment group should be published (i.e. made
available for signup). Once published, an appointment group cannot be
unpublished. Defaults to false."""
if appointment_group_publish is not None:
data['appointment_group[publish]'] = appointment_group_publish
"""Maximum number of participants that may register for each time slot.
Defaults to null (no limit)."""
if appointment_group_participants_per_appointment is not None:
data['appointment_group[participants_per_appointment]'
] = appointment_group_participants_per_appointment
"""Minimum number of time slots a user must register for. If not set, users
do not need to sign up for any time slots."""
if appointment_group_min_appointments_per_participant is not None:
data['appointment_group[min_appointments_per_participant]'
] = appointment_group_min_appointments_per_participant
"""Maximum number of time slots a user may register for."""
if appointment_group_max_appointments_per_participant is not None:
data['appointment_group[max_appointments_per_participant]'
] = appointment_group_max_appointments_per_participant
"""Nested array of start time/end time pairs indicating time slots for this
appointment group. Refer to the example request."""
if appointment_group_new_appointments_X is not None:
data['appointment_group[new_appointments][X]'
] = appointment_group_new_appointments_X
""""private":: participants cannot see who has signed up for a particular
time slot
"protected":: participants can see who has signed up. Defaults to
"private"."""
if appointment_group_participant_visibility is not None:
self._validate_enum(appointment_group_participant_visibility, [
'private', 'protected'])
data['appointment_group[participant_visibility]'
] = appointment_group_participant_visibility
self.logger.debug(
'POST /api/v1/appointment_groups with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST', '/api/v1/appointment_groups'.format
(**path), data=data, params=params, no_data=True)
| create_appointment_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, appointment_group_title, appointment_group_context_codes,\n appointment_group_description=None, appointment_group_location_address=\n None, appoint... |
def x(self, appointment_group_ids=None):
path = {}
data = {}
params = {}
"""List of ids of appointment groups to search."""
if appointment_group_ids is not None:
params['appointment_group_ids'] = appointment_group_ids
self.logger.debug(
'GET /api/v1/appointment_groups/next_appointment with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/appointment_groups/next_appointment'.format(**path), data=
data, params=params, all_pages=True)
| get_next_appointment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, appointment_group_ids=None):\n path = {}\n data = {}\n params = {}\n \"\"\"List of ids of appointment groups to search.\"\"\"\n if appoint... |
def x(self, discrete):
fs = self.clampings.to_funset('exp')
fs = fs.union(self.setup.to_funset())
for i, row in self.readouts.iterrows():
for var, val in row.iteritems():
if not np.isnan(val):
fs.add(gringo.Fun('obs', [i, var, discrete(val)]))
return fs
| to_funset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, discrete):\n fs = self.clampings.to_funset('exp')\n fs = fs.union(self.setup.to_funset())\n for i, row in self.readouts.iterrows():\n for... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.