source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
if 'query' in self.query:
q = self.query['query']
else:
q = self.query
if 'pinned_ids' in q:
return bool(len(q.get('pinned_ids', [])))
return False
| has_pinned_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'query' in self.query:\n q = self.query['query']\n else:\n q = self.query\n if 'pinned_ids' in q:\n return bool(len(q... |
def x(self):
base_path = getattr(settings, 'CUSTOM_SPECIAL_COVERAGE_PATH',
'special_coverage/custom')
if base_path is None:
base_path = ''
return '{0}/{1}_custom.html'.format(base_path, self.slug.replace('-', '_')
).lstrip('/')
| custom_template_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base_path = getattr(settings, 'CUSTOM_SPECIAL_COVERAGE_PATH',\n 'special_coverage/custom')\n if base_path is None:\n base_path = '... |
def x(self):
name, path, args, kwargs = super(ExclusiveBooleanField, self).deconstruct()
if self._on_fields:
kwargs['on'] = self._on_fields
return name, path, args, kwargs
| deconstruct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n name, path, args, kwargs = super(ExclusiveBooleanField, self).deconstruct()\n if self._on_fields:\n kwargs['on'] = self._on_fields\n r... |
def x(self, word, count):
if word not in self.tokens:
self.tokens[word] = 0
self.tokens[word] += count
self.tally += count
| train_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, word, count):\n if word not in self.tokens:\n self.tokens[word] = 0\n self.tokens[word] += count\n self.tally += count\n",
"role": "u... |
def x(self, word, count):
if word not in self.tokens:
return
count = min(count, self.tokens[word])
self.tokens[word] -= count
self.tally -= count
| untrain_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, word, count):\n if word not in self.tokens:\n return\n count = min(count, self.tokens[word])\n self.tokens[word] -= count\n self.tally... |
def x(self, connection, app_labels):
cursor = connection.cursor()
try:
tables = connection.introspection.table_names(cursor)
created_models = set()
all_models = [(app_config.label, router.get_migratable_models(
app_config, connection.alias, include_auto_created=False)) for
app_config in apps.get_app_configs() if app_config.
models_module is not None and app_config.label in app_labels]
def x(model):
opts = model._meta
converter = connection.introspection.table_name_converter
return not (converter(opts.db_table) in tables or opts.
auto_created and converter(opts.auto_created._meta.db_table
) in tables)
manifest = OrderedDict((app_name, list(filter(model_installed,
model_list))) for app_name, model_list in all_models)
if self.verbosity >= 1:
self.stdout.write(' Creating tables...\n')
with transaction.atomic(using=connection.alias, savepoint=
connection.features.can_rollback_ddl):
with connection.schema_editor() as editor:
editor.execute('CREATE SCHEMA {}'.format(settings.
POSTGRES_TEMPLATE_SCHEMA))
statements = editor.connection.ops.prepare_sql_script(
CLONE_SCHEMA)
for statement in statements:
editor.execute(statement, params=None)
schema_deferred_sql = {}
with connection.schema_editor() as editor:
schema_model = apps.get_model(settings.POSTGRES_SCHEMA_MODEL)
editor.create_model(schema_model, verbosity=self.verbosity)
schema_deferred_sql.update(editor.schema_deferred_sql)
editor.schema_deferred_sql = {}
created_models.add(schema_model)
for app_name, model_list in manifest.items():
for model in model_list:
if not model._meta.can_migrate(connection):
continue
if model in created_models:
continue
if self.verbosity >= 3:
self.stdout.write(' Processing %s.%s model\n' %
(app_name, model._meta.object_name))
with connection.schema_editor() as editor:
editor.schema_deferred_sql.update(schema_deferred_sql)
editor.create_model(model, verbosity=self.verbosity)
schema_deferred_sql.update(editor.schema_deferred_sql)
editor.schema_deferred_sql = {}
created_models.add(model)
if self.verbosity >= 1:
self.stdout.write('\n Running deferred SQL...\n')
with connection.schema_editor() as editor:
editor.schema_deferred_sql = schema_deferred_sql
finally:
cursor.close()
return created_models
| sync_apps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, app_labels):\n cursor = connection.cursor()\n try:\n tables = connection.introspection.table_names(cursor)\n created_mode... |
def x(self, tables=None, database=None):
source = database if database else self.database
tables = tables if tables else self.tables
commands = self._get_select_commands(source, tables)
return self._execute_select_commands(source, commands)
| get_database_rows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tables=None, database=None):\n source = database if database else self.database\n tables = tables if tables else self.tables\n commands = self._... |
def x(self, source, tables):
row_queries = {tbl: self.select_all(tbl, execute=False) for tbl in tqdm
(tables, total=len(tables), desc='Getting {0} select queries'.
format(source))}
for tbl, command in row_queries.items():
if isinstance(command, str):
row_queries[tbl] = [command]
return [(tbl, cmd) for tbl, cmds in row_queries.items() for cmd in cmds]
| get_select_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, tables):\n row_queries = {tbl: self.select_all(tbl, execute=False) for tbl in tqdm\n (tables, total=len(tables), desc='Getting {0} sele... |
def x(self, source, commands):
rows = {}
for tbl, command in tqdm(commands, total=len(commands), desc=
'Executing {0} select queries'.format(source)):
if tbl not in rows:
rows[tbl] = []
rows[tbl].extend(self.fetch(command, commit=True))
self._commit()
return rows
| execute_select_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, commands):\n rows = {}\n for tbl, command in tqdm(commands, total=len(commands), desc=\n 'Executing {0} select queries'.format(sourc... |
def x(self, tables=None, database=None):
source = database if database else self.database
tables = tables if tables else self.tables
return {tbl: self.get_columns(tbl) for tbl in tqdm(tables, total=len(
tables), desc='Getting {0} columns'.format(source))}
| get_database_columns | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tables=None, database=None):\n source = database if database else self.database\n tables = tables if tables else self.tables\n return {tbl: self... |
def x(self, rows, cols):
insert_queries = {}
for table in tqdm(list(rows.keys()), total=len(list(rows.keys())), desc
='Getting insert rows queries'):
insert_queries[table] = {}
_rows = rows.pop(table)
_cols = cols.pop(table)
if len(_rows) > 1:
insert_queries[table]['insert_many'] = self.insert_many(table,
_cols, _rows, execute=False)
elif len(_rows) == 1:
insert_queries[table]['insert'] = self.insert(table, _cols,
_rows, execute=False)
return insert_queries
| get_insert_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rows, cols):\n insert_queries = {}\n for table in tqdm(list(rows.keys()), total=len(list(rows.keys())), desc\n ='Getting insert rows queries... |
def x(self, source, destination, tables=None):
self.change_db(source)
if tables is None:
tables = self.tables
self.change_db(destination)
for t in tqdm(tables, total=len(tables), desc=
'Copying {0} table structure'.format(source)):
self.copy_table_structure(source, destination, t)
| copy_database_structure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, destination, tables=None):\n self.change_db(source)\n if tables is None:\n tables = self.tables\n self.change_db(destination)\n ... |
def x(self, source, destination, table):
self.execute('CREATE TABLE {0}.{1} LIKE {2}.{1}'.format(destination,
wrap(table), source))
| copy_table_structure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, destination, table):\n self.execute('CREATE TABLE {0}.{1} LIKE {2}.{1}'.format(destination,\n wrap(table), source))\n",
"role": "us... |
def x(self, source, destination, optimized=False):
self.enable_printing = False
self.change_db(source)
tables = self.tables
if optimized:
self._copy_database_data_serverside(source, destination, tables)
else:
self._copy_database_data_clientside(tables, source, destination)
self.enable_printing = True
| copy_database_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, destination, optimized=False):\n self.enable_printing = False\n self.change_db(source)\n tables = self.tables\n if optimized:\n ... |
def x(self, source, destination, tables):
for table in tqdm(tables, total=len(tables), desc=
'Copying table data (optimized)'):
self.execute('INSERT INTO {0}.{1} SELECT * FROM {2}.{1}'.format(
destination, wrap(table), source))
| copy_database_data_serverside | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, destination, tables):\n for table in tqdm(tables, total=len(tables), desc=\n 'Copying table data (optimized)'):\n self.execute('... |
def x(self, tables, source, destination):
rows = self.get_database_rows(tables, source)
cols = self.get_database_columns(tables, source)
for r in list(rows.keys()):
assert r in tables
for c in list(cols.keys()):
assert c in tables
self.change_db(destination)
insert_queries = self._get_insert_commands(rows, cols)
self._execute_insert_commands(insert_queries)
| copy_database_data_clientside | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tables, source, destination):\n rows = self.get_database_rows(tables, source)\n cols = self.get_database_columns(tables, source)\n for r in list... |
def x(self, source, destination):
print('\tCopying database {0} structure and data to database {1}'.
format(source, destination))
with Timer('\nSuccess! Copied database {0} to {1} in '.format(source,
destination)):
if destination in self.databases:
self.truncate_database(destination)
else:
self.create_database(destination)
self.change_db(source)
tables = self.tables
self.change_db(destination)
print('\n')
_enable_printing = self.enable_printing
self.enable_printing = False
for table in tqdm(tables, total=len(tables), desc=
'Copying {0} table structures'.format(source)):
self.execute('CREATE TABLE {0}.{1} LIKE {2}.{1}'.format(
destination, wrap(table), source))
for table in tqdm(tables, total=len(tables), desc=
'Copying {0} table data'.format(source)):
self.execute('INSERT INTO {0}.{1} SELECT * FROM {2}.{1}'.format
(destination, wrap(table), source))
self.enable_printing = _enable_printing
| copy_database | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, destination):\n print('\\tCopying database {0} structure and data to database {1}'.\n format(source, destination))\n with Timer('\\n... |
def x(curesim_fastq_fo, rnf_fastq_fo, fai_fo, genome_id,
number_of_read_tuples=10 ** 9, recode_random=False):
curesim_pattern = re.compile(
'@(.*)_([0-9]+)_([0-9]+)_([0-9]+)_([0-9]+)_([0-9]+)_([0-9]+)_([0-9]+)')
"""
CuReSim read name format
@<#1>_<#2>_<#3>_<#4>_<#5>_<#6>_<#7>_<#8>
1: contig name
2: original position
3: strand (0=forward;1=reverse)
4: random read (0=non-random;1=random)
5: number of insertions
6: number of deletions
7: number of substitution
8: read number (unique within a genome)
"""
max_seq_len = 0
fai_index = rnftools.utils.FaIdx(fai_fo=fai_fo)
read_tuple_id_width = len(format(number_of_read_tuples, 'x'))
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='curesim')
read_tuple_id = 0
i = 0
for line in curesim_fastq_fo:
if i % 4 == 0:
m = curesim_pattern.search(line)
if m is None:
rnftools.utils.error("Read '{}' was not generated by CuReSim."
.format(line[1:]), program='RNFtools', subprogram=
'MIShmash', exception=ValueError)
contig_name = m.group(1)
start_pos = int(m.group(2))
direction = 'R' if int(m.group(3)) else 'F'
random = bool(m.group(4))
ins_nb = int(m.group(5))
del_nb = int(m.group(6))
subst_nb = int(m.group(7))
rd_id = int(m.group(8))
end_pos = start_pos - 1 - ins_nb + del_nb
chr_id = 0
random = contig_name[:4] == 'rand'
elif i % 4 == 1:
bases = line.strip()
end_pos += len(bases)
if recode_random:
left = 0
right = 0
else:
left = start_pos + 1
right = end_pos
segment = rnftools.rnfformat.Segment(genome_id=genome_id,
chr_id=chr_id, direction=direction, left=left, right=right)
elif i % 4 == 2:
pass
elif i % 4 == 3:
qualities = line.strip()
if random == recode_random:
fq_creator.add_read(read_tuple_id=read_tuple_id, bases=
bases, qualities=qualities, segments=[segment])
read_tuple_id += 1
i += 1
fq_creator.flush_read_tuple()
| recode_curesim_reads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(curesim_fastq_fo, rnf_fastq_fo, fai_fo, genome_id,\n number_of_read_tuples=10 ** 9, recode_random=False):\n curesim_pattern = re.compile(\n '@(.*)... |
def x(program='', system_wide=False):
config_homes = []
if system_wide:
if os.name == 'nt':
config_homes.append(winreg.ExpandEnvironmentStrings(
'%PROGRAMDATA%'))
else:
config_homes.append('/etc')
config_homes.append('/etc/xdg')
if os.name == 'darwin':
config_homes.append('/Library')
elif os.name == 'nt':
import winreg
config_homes.append(winreg.ExpandEnvironmentStrings('%LOCALAPPDATA%'))
config_homes.append(os.path.join(winreg.ExpandEnvironmentStrings(
'%APPDATA%'), 'Roaming'))
elif os.getenv('XDG_CONFIG_HOME'):
config_homes.append(os.getenv('XDG_CONFIG_HOME'))
else:
try:
from xdg import BaseDirectory
config_homes.append(BaseDirectory.xdg_config_home)
except ImportError:
config_homes.append(os.path.expanduser('~/.config'))
config_homes.append(os.path.expanduser('~'))
if os.name == 'darwin':
config_homes.append(os.path.expanduser('~/Library'))
if program:
def x(app, dirs):
homes = []
for home in dirs:
if os.path.isdir(os.path.join(home, app)):
homes.append(os.path.join(home, app))
if os.path.isdir(os.path.join(home, '.' + app)):
homes.append(os.path.join(home, '.' + app))
if os.path.isdir(os.path.join(home, app + '.d')):
homes.append(os.path.join(home, app + '.d'))
return homes
app_homes = __find_homes(program, config_homes)
if program == 'vim':
app_homes.extend(__find_homes('vimfiles', config_homes))
elif program == 'chrome':
app_homes.extend(__find_homes('google-chrome', config_homes))
elif program in ['firefox', 'thunderbird']:
app_homes.extend(__find_homes(program, [os.path.expanduser(
'~/.mozilla')]))
return app_homes
return config_homes
| get_config_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program='', system_wide=False):\n config_homes = []\n if system_wide:\n if os.name == 'nt':\n config_homes.append(winreg.ExpandEnvironm... |
def x(program, system_wide=False):
program_config_homes = get_config_dir(program, system_wide)
config_homes = get_config_dir(system_wide=system_wide)
config_files = []
for home in config_homes:
for sub in os.listdir(home):
if os.path.isfile(os.path.join(home, sub)):
if sub.startswith(program):
config_files.append(os.path.join(home, sub))
if not program.startswith('.'):
config_files.extend(get_config_file('.' + program, system_wide))
for home in program_config_homes:
for sub in os.listdir(home):
if os.path.isfile(os.path.join(home, sub)) and sub.startswith(
program):
config_files.append(os.path.join(home, sub))
return config_files
| get_config_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program, system_wide=False):\n program_config_homes = get_config_dir(program, system_wide)\n config_homes = get_config_dir(system_wide=system_wide)\n ... |
def x(self, since):
changed_tasks = []
for task in self.client.filter_tasks({'status': 'pending'}):
if task.get('modified', task.get('entry', datetime.datetime(2000, 1,
1).replace(tzinfo=pytz.utc))) >= since:
changed_tasks.append(task)
return changed_tasks
| get_tasks_changed_since | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, since):\n changed_tasks = []\n for task in self.client.filter_tasks({'status': 'pending'}):\n if task.get('modified', task.get('entry', date... |
def x(self, included_channel_ids=None, excluded_channel_ids=None, **kwargs):
eqs = self.search(**kwargs)
eqs = eqs.filter(Evergreen())
if included_channel_ids:
eqs = eqs.filter(VideohubChannel(included_ids=included_channel_ids))
if excluded_channel_ids:
eqs = eqs.filter(VideohubChannel(excluded_ids=excluded_channel_ids))
return eqs
| evergreen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, included_channel_ids=None, excluded_channel_ids=None, **kwargs):\n eqs = self.search(**kwargs)\n eqs = eqs.filter(Evergreen())\n if included_cha... |
def x(self, **kwargs):
eqs = self.evergreen(**kwargs)
eqs = eqs.filter(VideohubVideo())
return eqs
| evergreen_video | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n eqs = self.evergreen(**kwargs)\n eqs = eqs.filter(VideohubVideo())\n return eqs\n",
"role": "user"
},
{
"content": "eve... |
def x(self, **kwargs):
eqs = self.search(**kwargs).sort('-last_modified', '-published')
return eqs.filter(InstantArticle())
| instant_articles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n eqs = self.search(**kwargs).sort('-last_modified', '-published')\n return eqs.filter(InstantArticle())\n",
"role": "user"
},
{... |
def x(self, **kwargs):
eqs = self.search(**kwargs)
eqs = eqs.filter(AllSponsored())
published_offset = getattr(settings, 'RECENT_SPONSORED_OFFSET_HOURS', None)
if published_offset:
now = timezone.now()
eqs = eqs.filter(Published(after=now - timezone.timedelta(hours=
published_offset), before=now))
return eqs
| sponsored | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n eqs = self.search(**kwargs)\n eqs = eqs.filter(AllSponsored())\n published_offset = getattr(settings, 'RECENT_SPONSORED_OFFSET_HOUR... |
def x(self, **kwargs):
search_query = super(ContentManager, self).search()
if 'query' in kwargs:
search_query = search_query.query('match', _all=kwargs.get('query'))
else:
search_query = search_query.sort('-published', '-last_modified')
if 'before' in kwargs or 'after' in kwargs:
published_filter = Published(before=kwargs.get('before'), after=
kwargs.get('after'))
search_query = search_query.filter(published_filter)
elif kwargs.get('published', True) and 'status' not in kwargs:
published_filter = Published()
search_query = search_query.filter(published_filter)
if 'status' in kwargs:
search_query = search_query.filter(Status(kwargs['status']))
if 'excluded_ids' in kwargs:
exclusion_filter = ~es_filter.Ids(values=kwargs.get('excluded_ids', [])
)
search_query = search_query.filter(exclusion_filter)
tag_filter = Tags(kwargs.get('tags', []))
search_query = search_query.filter(tag_filter)
author_filter = Authors(kwargs.get('authors', []))
search_query = search_query.filter(author_filter)
feature_type_filter = FeatureTypes(kwargs.get('feature_types', []))
search_query = search_query.filter(feature_type_filter)
types = kwargs.pop('types', [])
if types:
search_query._doc_type = types
return search_query
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n search_query = super(ContentManager, self).search()\n if 'query' in kwargs:\n search_query = search_query.query('match', _all=k... |
def x(self, obj_type):
if obj_type in IxnObject.str_2_class:
if type(IxnObject.str_2_class[obj_type]) is dict:
if self.obj_type() in IxnObject.str_2_class[obj_type]:
return IxnObject.str_2_class[obj_type][self.obj_type()]
elif self.obj_parent().obj_type() in IxnObject.str_2_class[obj_type
]:
return IxnObject.str_2_class[obj_type][self.obj_parent().
obj_type()]
else:
return IxnObject.str_2_class[obj_type]
return IxnObject
| get_obj_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj_type):\n if obj_type in IxnObject.str_2_class:\n if type(IxnObject.str_2_class[obj_type]) is dict:\n if self.obj_type() in IxnOb... |
def x(self, attribute):
value = self.api.getAttribute(self.obj_ref(), attribute)
if value == '::ixNet::OK':
raise TgnError(self.ref + ' does not have attribute ' + attribute)
return str(value)
| get_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute):\n value = self.api.getAttribute(self.obj_ref(), attribute)\n if value == '::ixNet::OK':\n raise TgnError(self.ref + ' does not h... |
def x(self, attribute):
list_attribute = self.api.getListAttribute(self.obj_ref(), attribute)
if list_attribute == ['::ixNet::OK']:
raise TgnError(self.ref + ' does not have attribute ' + attribute)
return list_attribute
| get_list_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute):\n list_attribute = self.api.getListAttribute(self.obj_ref(), attribute)\n if list_attribute == ['::ixNet::OK']:\n raise TgnError... |
def x(self, *types):
children_objs = OrderedDict()
if not types:
types = self.get_all_child_types(self.obj_ref())
for child_type in types:
children_list = self.api.getList(self.obj_ref(), child_type)
children_objs.update(self._build_children_objs(child_type,
children_list))
return list(children_objs.values())
| get_children | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *types):\n children_objs = OrderedDict()\n if not types:\n types = self.get_all_child_types(self.obj_ref())\n for child_type in types:\n ... |
def x(self, objType, seq_number=None):
child_obj_ref = self.obj_ref() + '/' + objType
if seq_number:
child_obj_ref += ':' + str(seq_number)
child_obj = self.get_object_by_ref(child_obj_ref)
child_obj_type = self.get_obj_class(objType)
return child_obj if child_obj else child_obj_type(parent=self, objType=
objType, objRef=child_obj_ref)
| get_child_static | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objType, seq_number=None):\n child_obj_ref = self.obj_ref() + '/' + objType\n if seq_number:\n child_obj_ref += ':' + str(seq_number)\n c... |
def x(self):
ixn_obj = self
ref_indices = []
while ixn_obj != ixn_obj.root:
ref_indices.append(ixn_obj.ref.split(':')[-1])
ixn_obj = ixn_obj.parent
return ref_indices[::-1]
| get_ref_indices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ixn_obj = self\n ref_indices = []\n while ixn_obj != ixn_obj.root:\n ref_indices.append(ixn_obj.ref.split(':')[-1])\n ixn_obj =... |
def x(self, filter=None, filter_mode=None, include=None,
include_all_conversation_ids=None, interleave_submissions=None, scope=None
):
path = {}
data = {}
params = {}
"""When set, only return conversations of the specified type. For example,
set to "unread" to return only conversations that haven't been read.
The default behavior is to return all non-archived conversations (i.e.
read and unread)."""
if scope is not None:
self._validate_enum(scope, ['unread', 'starred', 'archived'])
params['scope'] = scope
"""When set, only return conversations for the specified courses, groups
or users. The id should be prefixed with its type, e.g. "user_123" or
"course_456". Can be an array (by setting "filter[]") or single value
(by setting "filter")"""
if filter is not None:
params['filter'] = filter
"""When filter[] contains multiple filters, combine them with this mode,
filtering conversations that at have at least all of the contexts ("and")
or at least one of the contexts ("or")"""
if filter_mode is not None:
self._validate_enum(filter_mode, ['and', 'or', 'default or'])
params['filter_mode'] = filter_mode
"""(Obsolete) Submissions are no
longer linked to conversations. This parameter is ignored."""
if interleave_submissions is not None:
params['interleave_submissions'] = interleave_submissions
"""Default is false. If true,
the top-level element of the response will be an object rather than
an array, and will have the keys "conversations" which will contain the
paged conversation data, and "conversation_ids" which will contain the
ids of all conversations under this scope/filter in the same order."""
if include_all_conversation_ids is not None:
params['include_all_conversation_ids'] = include_all_conversation_ids
""""participant_avatars":: Optionally include an "avatar_url" key for each user participanting in the conversation"""
if include is not None:
self._validate_enum(include, ['participant_avatars'])
params['include'] = include
self.logger.debug(
'GET /api/v1/conversations with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET', '/api/v1/conversations'.format(**
path), data=data, params=params, all_pages=True)
| list_conversations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filter=None, filter_mode=None, include=None,\n include_all_conversation_ids=None, interleave_submissions=None, scope=None\n ):\n path = {}\n ... |
def x(self, body, recipients, attachment_ids=None, context_code=None,
filter=None, filter_mode=None, group_conversation=None,
media_comment_id=None, media_comment_type=None, mode=None, scope=None,
subject=None, user_note=None):
path = {}
data = {}
params = {}
"""An array of recipient ids. These may be user ids or course/group ids
prefixed with "course_" or "group_" respectively, e.g.
recipients[]=1&recipients[]=2&recipients[]=course_3"""
data['recipients'] = recipients
"""The subject of the conversation. This is ignored when reusing a
conversation. Maximum length is 255 characters."""
if subject is not None:
data['subject'] = subject
"""The message to be sent"""
data['body'] = body
"""Defaults to false. If true, this will be a group conversation (i.e. all
recipients may see all messages and replies). If false, individual private
conversations will be started with each recipient. Must be set false if the
number of recipients is over the set maximum (default is 100)."""
if group_conversation is not None:
data['group_conversation'] = group_conversation
"""An array of attachments ids. These must be files that have been previously
uploaded to the sender's "conversation attachments" folder."""
if attachment_ids is not None:
data['attachment_ids'] = attachment_ids
"""Media comment id of an audio of video file to be associated with this
message."""
if media_comment_id is not None:
data['media_comment_id'] = media_comment_id
"""Type of the associated media file"""
if media_comment_type is not None:
self._validate_enum(media_comment_type, ['audio', 'video'])
data['media_comment_type'] = media_comment_type
"""Will add a faculty journal entry for each recipient as long as the user
making the api call has permission, the recipient is a student and
faculty journals are enabled in the account."""
if user_note is not None:
data['user_note'] = user_note
"""Determines whether the messages will be created/sent synchronously or
asynchronously. Defaults to sync, and this option is ignored if this is a
group conversation or there is just one recipient (i.e. it must be a bulk
private message). When sent async, the response will be an empty array
(batch status can be queried via the {api:ConversationsController#batches batches API})"""
if mode is not None:
self._validate_enum(mode, ['sync', 'async'])
data['mode'] = mode
"""Used when generating "visible" in the API response. See the explanation
under the {api:ConversationsController#index index API action}"""
if scope is not None:
self._validate_enum(scope, ['unread', 'starred', 'archived'])
data['scope'] = scope
"""Used when generating "visible" in the API response. See the explanation
under the {api:ConversationsController#index index API action}"""
if filter is not None:
data['filter'] = filter
"""Used when generating "visible" in the API response. See the explanation
under the {api:ConversationsController#index index API action}"""
if filter_mode is not None:
self._validate_enum(filter_mode, ['and', 'or', 'default or'])
data['filter_mode'] = filter_mode
"""The course or group that is the context for this conversation. Same format
as courses or groups in the recipients argument."""
if context_code is not None:
data['context_code'] = context_code
self.logger.debug(
'POST /api/v1/conversations with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST', '/api/v1/conversations'.format(**
path), data=data, params=params, no_data=True)
| create_conversation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, body, recipients, attachment_ids=None, context_code=None,\n filter=None, filter_mode=None, group_conversation=None,\n media_comment_id=None, media_... |
def x(self, id, auto_mark_as_read=None, filter=None, filter_mode=None,
interleave_submissions=None, scope=None):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""(Obsolete) Submissions are no
longer linked to conversations. This parameter is ignored."""
if interleave_submissions is not None:
params['interleave_submissions'] = interleave_submissions
"""Used when generating "visible" in the API response. See the explanation
under the {api:ConversationsController#index index API action}"""
if scope is not None:
self._validate_enum(scope, ['unread', 'starred', 'archived'])
params['scope'] = scope
"""Used when generating "visible" in the API response. See the explanation
under the {api:ConversationsController#index index API action}"""
if filter is not None:
params['filter'] = filter
"""Used when generating "visible" in the API response. See the explanation
under the {api:ConversationsController#index index API action}"""
if filter_mode is not None:
self._validate_enum(filter_mode, ['and', 'or', 'default or'])
params['filter_mode'] = filter_mode
"""Default true. If true, unread
conversations will be automatically marked as read. This will default
to false in a future API release, so clients should explicitly send
true if that is the desired behavior."""
if auto_mark_as_read is not None:
params['auto_mark_as_read'] = auto_mark_as_read
self.logger.debug(
'GET /api/v1/conversations/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET', '/api/v1/conversations/{id}'.format(
**path), data=data, params=params, no_data=True)
| get_single_conversation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, auto_mark_as_read=None, filter=None, filter_mode=None,\n interleave_submissions=None, scope=None):\n path = {}\n data = {}\n params = {}\... |
def x(self, id, conversation_starred=None, conversation_subscribed=None,
conversation_workflow_state=None, filter=None, filter_mode=None, scope=None
):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""Change the state of this conversation"""
if conversation_workflow_state is not None:
self._validate_enum(conversation_workflow_state, ['read', 'unread',
'archived'])
data['conversation[workflow_state]'] = conversation_workflow_state
"""Toggle the current user's subscription to the conversation (only valid for
group conversations). If unsubscribed, the user will still have access to
the latest messages, but the conversation won't be automatically flagged
as unread, nor will it jump to the top of the inbox."""
if conversation_subscribed is not None:
data['conversation[subscribed]'] = conversation_subscribed
"""Toggle the starred state of the current user's view of the conversation."""
if conversation_starred is not None:
data['conversation[starred]'] = conversation_starred
"""Used when generating "visible" in the API response. See the explanation
under the {api:ConversationsController#index index API action}"""
if scope is not None:
self._validate_enum(scope, ['unread', 'starred', 'archived'])
data['scope'] = scope
"""Used when generating "visible" in the API response. See the explanation
under the {api:ConversationsController#index index API action}"""
if filter is not None:
data['filter'] = filter
"""Used when generating "visible" in the API response. See the explanation
under the {api:ConversationsController#index index API action}"""
if filter_mode is not None:
self._validate_enum(filter_mode, ['and', 'or', 'default or'])
data['filter_mode'] = filter_mode
self.logger.debug(
'PUT /api/v1/conversations/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT', '/api/v1/conversations/{id}'.format(
**path), data=data, params=params, no_data=True)
| edit_conversation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, conversation_starred=None, conversation_subscribed=None,\n conversation_workflow_state=None, filter=None, filter_mode=None, scope=None\n ):\n ... |
def x(self, id, recipients):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""An array of recipient ids. These may be user ids or course/group ids
prefixed with "course_" or "group_" respectively, e.g.
recipients[]=1&recipients[]=2&recipients[]=course_3"""
data['recipients'] = recipients
self.logger.debug(
'POST /api/v1/conversations/{id}/add_recipients with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/conversations/{id}/add_recipients'.format(**path), data=
data, params=params, no_data=True)
| add_recipients | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, recipients):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"An array of recipient ids. These may ... |
def x(self, id, body, attachment_ids=None, included_messages=None,
media_comment_id=None, media_comment_type=None, recipients=None,
user_note=None):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""The message to be sent."""
data['body'] = body
"""An array of attachments ids. These must be files that have been previously
uploaded to the sender's "conversation attachments" folder."""
if attachment_ids is not None:
data['attachment_ids'] = attachment_ids
"""Media comment id of an audio of video file to be associated with this
message."""
if media_comment_id is not None:
data['media_comment_id'] = media_comment_id
"""Type of the associated media file."""
if media_comment_type is not None:
self._validate_enum(media_comment_type, ['audio', 'video'])
data['media_comment_type'] = media_comment_type
"""no description"""
if recipients is not None:
data['recipients'] = recipients
"""no description"""
if included_messages is not None:
data['included_messages'] = included_messages
"""Will add a faculty journal entry for each recipient as long as the user
making the api call has permission, the recipient is a student and
faculty journals are enabled in the account."""
if user_note is not None:
data['user_note'] = user_note
self.logger.debug(
'POST /api/v1/conversations/{id}/add_message with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/conversations/{id}/add_message'.format(**path), data=data,
params=params, no_data=True)
| add_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, body, attachment_ids=None, included_messages=None,\n media_comment_id=None, media_comment_type=None, recipients=None,\n user_note=None):\n p... |
def x(self, id, remove):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""Array of message ids to be deleted"""
data['remove'] = remove
self.logger.debug(
'POST /api/v1/conversations/{id}/remove_messages with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/conversations/{id}/remove_messages'.format(**path), data=
data, params=params, no_data=True)
| delete_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, remove):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"Array of message ids to be deleted\"\"\"\... |
def x(self, event, conversation_ids):
path = {}
data = {}
params = {}
"""List of conversations to update. Limited to 500 conversations."""
data['conversation_ids'] = conversation_ids
"""The action to take on each conversation."""
self._validate_enum(event, ['mark_as_read', 'mark_as_unread', 'star',
'unstar', 'archive', 'destroy'])
data['event'] = event
self.logger.debug(
'PUT /api/v1/conversations with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT', '/api/v1/conversations'.format(**
path), data=data, params=params, single_item=True)
| batch_update_conversations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, conversation_ids):\n path = {}\n data = {}\n params = {}\n \"\"\"List of conversations to update. Limited to 500 conversations.\"\"\"\... |
def x(self, user_id, communication_channel_id):
path = {}
data = {}
params = {}
"""ID"""
path['user_id'] = user_id
"""ID"""
path['communication_channel_id'] = communication_channel_id
self.logger.debug(
'GET /api/v1/users/{user_id}/communication_channels/{communication_channel_id}/notification_preferences with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/users/{user_id}/communication_channels/{communication_channel_id}/notification_preferences'
.format(**path), data=data, params=params, all_pages=True)
| list_preferences_communication_channel_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, communication_channel_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n \"\"\"ID\"\"\"... |
def x(self, type, user_id, address):
path = {}
data = {}
params = {}
"""ID"""
path['user_id'] = user_id
"""ID"""
path['type'] = type
"""ID"""
path['address'] = address
self.logger.debug(
'GET /api/v1/users/{user_id}/communication_channels/{type}/{address}/notification_preferences with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/users/{user_id}/communication_channels/{type}/{address}/notification_preferences'
.format(**path), data=data, params=params, all_pages=True)
| list_preferences_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, user_id, address):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n \"\"\"ID\"\"\"\n path[... |
def x(self, user_id, notification, communication_channel_id):
path = {}
data = {}
params = {}
"""ID"""
path['user_id'] = user_id
"""ID"""
path['communication_channel_id'] = communication_channel_id
"""ID"""
path['notification'] = notification
self.logger.debug(
'GET /api/v1/users/{user_id}/communication_channels/{communication_channel_id}/notification_preferences/{notification} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/users/{user_id}/communication_channels/{communication_channel_id}/notification_preferences/{notification}'
.format(**path), data=data, params=params, single_item=True)
| get_preference_communication_channel_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, notification, communication_channel_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n ... |
def x(self, type, user_id, address, notification):
path = {}
data = {}
params = {}
"""ID"""
path['user_id'] = user_id
"""ID"""
path['type'] = type
"""ID"""
path['address'] = address
"""ID"""
path['notification'] = notification
self.logger.debug(
'GET /api/v1/users/{user_id}/communication_channels/{type}/{address}/notification_preferences/{notification} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/users/{user_id}/communication_channels/{type}/{address}/notification_preferences/{notification}'
.format(**path), data=data, params=params, single_item=True)
| get_preference_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, user_id, address, notification):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n \"\"\"ID\"\... |
def x(self, notification, communication_channel_id,
notification_preferences_frequency):
path = {}
data = {}
params = {}
"""ID"""
path['communication_channel_id'] = communication_channel_id
"""ID"""
path['notification'] = notification
"""The desired frequency for this notification"""
data['notification_preferences[frequency]'
] = notification_preferences_frequency
self.logger.debug(
'PUT /api/v1/users/self/communication_channels/{communication_channel_id}/notification_preferences/{notification} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/users/self/communication_channels/{communication_channel_id}/notification_preferences/{notification}'
.format(**path), data=data, params=params, no_data=True)
| update_preference_communication_channel_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, notification, communication_channel_id,\n notification_preferences_frequency):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n ... |
def x(self, type, address, notification, notification_preferences_frequency):
path = {}
data = {}
params = {}
"""ID"""
path['type'] = type
"""ID"""
path['address'] = address
"""ID"""
path['notification'] = notification
"""The desired frequency for this notification"""
data['notification_preferences[frequency]'
] = notification_preferences_frequency
self.logger.debug(
'PUT /api/v1/users/self/communication_channels/{type}/{address}/notification_preferences/{notification} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/users/self/communication_channels/{type}/{address}/notification_preferences/{notification}'
.format(**path), data=data, params=params, no_data=True)
| update_preference_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, address, notification, notification_preferences_frequency):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['type'] = ... |
def x(self, category, communication_channel_id,
notification_preferences_frequency):
path = {}
data = {}
params = {}
"""ID"""
path['communication_channel_id'] = communication_channel_id
"""The name of the category. Must be parameterized (e.g. The category "Course Content" should be "course_content")"""
path['category'] = category
"""The desired frequency for each notification in the category"""
data['notification_preferences[frequency]'
] = notification_preferences_frequency
self.logger.debug(
'PUT /api/v1/users/self/communication_channels/{communication_channel_id}/notification_preference_categories/{category} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/users/self/communication_channels/{communication_channel_id}/notification_preference_categories/{category}'
.format(**path), data=data, params=params, no_data=True)
| update_preferences_by_category | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category, communication_channel_id,\n notification_preferences_frequency):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n pat... |
def x(cl_args=None):
if cl_args is None and len(sys.argv) > 1:
cl_args = sys.argv[1:]
args = options.parse_args(cl_args)
print('-------------------------------------------------------------------'
)
print(' __ _____ ___ ____ _ __ ')
print(' / / / _/ | / / | / / /__ (_) /_ ')
print(" / /___/ / | |/ /| |/ / '_// / __/ ")
print(' /____/___/ |___/ |___/_/\\_\\/_/\\__/ ')
print('')
print(' Land Ice Verification & Validation ')
print('-------------------------------------------------------------------'
)
print('')
print(' Current run: ' + livvkit.timestamp)
print(' User: ' + livvkit.user)
print(' OS Type: ' + livvkit.os_type)
print(' Machine: ' + livvkit.machine)
print(' ' + livvkit.comment)
from livvkit.components import numerics
from livvkit.components import verification
from livvkit.components import performance
from livvkit.components import validation
from livvkit import scheduler
from livvkit.util import functions
from livvkit.util import elements
summary_elements = []
if livvkit.verify or livvkit.validate:
functions.setup_output()
if livvkit.verify:
summary_elements.append(scheduler.run('numerics', numerics,
functions.read_json(livvkit.numerics_model_config)))
summary_elements.append(scheduler.run('verification', verification,
functions.read_json(livvkit.verification_model_config)))
summary_elements.append(scheduler.run('performance', performance,
functions.read_json(livvkit.performance_model_config)))
if livvkit.validate:
print(
' -----------------------------------------------------------------'
)
print(' Beginning the validation test suite ')
print(
' -----------------------------------------------------------------'
)
print('')
validation_config = {}
for conf in livvkit.validation_model_configs:
validation_config = functions.merge_dicts(validation_config,
functions.read_json(conf))
summary_elements.extend(scheduler.run_quiet(validation,
validation_config, group=False))
print(
' -----------------------------------------------------------------'
)
print(' Validation test suite complete ')
print(
' -----------------------------------------------------------------'
)
print('')
if livvkit.verify or livvkit.validate:
result = elements.page('Summary', '', element_list=summary_elements)
functions.write_json(result, livvkit.output_dir, 'index.json')
print(
'-------------------------------------------------------------------'
)
print(' Done! Results can be seen in a web browser at:')
print(' ' + os.path.join(livvkit.output_dir, 'index.html'))
print(
'-------------------------------------------------------------------'
)
if args.serve:
try:
import http.server as server
import socketserver as socket
except ImportError:
import SimpleHTTPServer as server
import SocketServer as socket
httpd = socket.TCPServer(('', args.serve), server.
SimpleHTTPRequestHandler)
sa = httpd.socket.getsockname()
print('\nServing HTTP on {host} port {port} (http://{host}:{port}/)'
.format(host=sa[0], port=sa[1]))
print('\nView the generated website by navigating to:')
print('\n http://{host}:{port}/{path}/index.html'.format(host=sa
[0], port=sa[1], path=os.path.relpath(livvkit.output_dir)))
print('\nExit by pressing `ctrl+c` to send a keyboard interrupt.\n')
try:
httpd.serve_forever()
except KeyboardInterrupt:
print('\nKeyboard interrupt received, exiting.\n')
sys.exit(0)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cl_args=None):\n if cl_args is None and len(sys.argv) > 1:\n cl_args = sys.argv[1:]\n args = options.parse_args(cl_args)\n print('-------------... |
def x(self, account_id, search_term=None):
path = {}
data = {}
params = {}
"""ID"""
path['account_id'] = account_id
"""The partial name or full ID of the users to match and return in the
results list. Must be at least 3 characters.
Note that the API will prefer matching on canonical user ID if the ID has
a numeric form. It will only search against other fields if non-numeric
in form, or if the numeric value doesn't yield any matches. Queries by
administrative users will search on SIS ID, name, or email address; non-
administrative queries will only be compared against name."""
if search_term is not None:
params['search_term'] = search_term
self.logger.debug(
'GET /api/v1/accounts/{account_id}/users with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/accounts/{account_id}/users'.format(**path), data=data,
params=params, all_pages=True)
| list_users_in_account | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account_id, search_term=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"The par... |
def x(self, user_name, account_id, user_terms_of_use, pseudonym_unique_id,
communication_channel_address=None, communication_channel_type=None,
user_birthdate=None, user_locale=None, user_short_name=None,
user_sortable_name=None, user_time_zone=None):
path = {}
data = {}
params = {}
"""ID"""
path['account_id'] = account_id
"""The full name of the user. This name will be used by teacher for grading."""
data['user[name]'] = user_name
"""User's name as it will be displayed in discussions, messages, and comments."""
if user_short_name is not None:
data['user[short_name]'] = user_short_name
"""User's name as used to sort alphabetically in lists."""
if user_sortable_name is not None:
data['user[sortable_name]'] = user_sortable_name
"""The time zone for the user. Allowed time zones are
{http://www.iana.org/time-zones IANA time zones} or friendlier
{http://api.rubyonrails.org/classes/ActiveSupport/TimeZone.html Ruby on Rails time zones}."""
if user_time_zone is not None:
data['user[time_zone]'] = user_time_zone
"""The user's preferred language, from the list of languages Canvas supports.
This is in RFC-5646 format."""
if user_locale is not None:
data['user[locale]'] = user_locale
"""The user's birth date."""
if user_birthdate is not None:
data['user[birthdate]'] = user_birthdate
"""Whether the user accepts the terms of use."""
data['user[terms_of_use]'] = user_terms_of_use
"""User's login ID. Must be a valid email address."""
data['pseudonym[unique_id]'] = pseudonym_unique_id
"""The communication channel type, e.g. 'email' or 'sms'."""
if communication_channel_type is not None:
data['communication_channel[type]'] = communication_channel_type
"""The communication channel address, e.g. the user's email address."""
if communication_channel_address is not None:
data['communication_channel[address]'] = communication_channel_address
self.logger.debug(
'POST /api/v1/accounts/{account_id}/self_registration with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/accounts/{account_id}/self_registration'.format(**path),
data=data, params=params, single_item=True)
| self_register_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_name, account_id, user_terms_of_use, pseudonym_unique_id,\n communication_channel_address=None, communication_channel_type=None,\n user_birthd... |
def x(self, id, collapse_global_nav=None, manual_mark_as_read=None):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""If true, require user to manually mark discussion posts as read (don't
auto-mark as read)."""
if manual_mark_as_read is not None:
params['manual_mark_as_read'] = manual_mark_as_read
"""If true, the user's page loads with the global navigation collapsed"""
if collapse_global_nav is not None:
params['collapse_global_nav'] = collapse_global_nav
self.logger.debug(
'GET /api/v1/users/{id}/settings with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET', '/api/v1/users/{id}/settings'.format
(**path), data=data, params=params, no_data=True)
| update_user_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, collapse_global_nav=None, manual_mark_as_read=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\... |
def x(self, id, asset_string):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""ID"""
path['asset_string'] = asset_string
self.logger.debug(
'GET /api/v1/users/{id}/colors/{asset_string} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/users/{id}/colors/{asset_string}'.format(**path), data=
data, params=params, no_data=True)
| get_custom_color | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, asset_string):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"ID\"\"\"\n path['asset_string'] ... |
def x(self, id, user_avatar_token=None, user_avatar_url=None, user_email=
None, user_locale=None, user_name=None, user_short_name=None,
user_sortable_name=None, user_time_zone=None):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""The full name of the user. This name will be used by teacher for grading."""
if user_name is not None:
data['user[name]'] = user_name
"""User's name as it will be displayed in discussions, messages, and comments."""
if user_short_name is not None:
data['user[short_name]'] = user_short_name
"""User's name as used to sort alphabetically in lists."""
if user_sortable_name is not None:
data['user[sortable_name]'] = user_sortable_name
"""The time zone for the user. Allowed time zones are
{http://www.iana.org/time-zones IANA time zones} or friendlier
{http://api.rubyonrails.org/classes/ActiveSupport/TimeZone.html Ruby on Rails time zones}."""
if user_time_zone is not None:
data['user[time_zone]'] = user_time_zone
"""The default email address of the user."""
if user_email is not None:
data['user[email]'] = user_email
"""The user's preferred language, from the list of languages Canvas supports.
This is in RFC-5646 format."""
if user_locale is not None:
data['user[locale]'] = user_locale
"""A unique representation of the avatar record to assign as the user's
current avatar. This token can be obtained from the user avatars endpoint.
This supersedes the user [avatar] [url] argument, and if both are included
the url will be ignored. Note: this is an internal representation and is
subject to change without notice. It should be consumed with this api
endpoint and used in the user update endpoint, and should not be
constructed by the client."""
if user_avatar_token is not None:
data['user[avatar][token]'] = user_avatar_token
"""To set the user's avatar to point to an external url, do not include a
token and instead pass the url here. Warning: For maximum compatibility,
please use 128 px square images."""
if user_avatar_url is not None:
data['user[avatar][url]'] = user_avatar_url
self.logger.debug(
'PUT /api/v1/users/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT', '/api/v1/users/{id}'.format(**path),
data=data, params=params, single_item=True)
| edit_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, user_avatar_token=None, user_avatar_url=None, user_email=\n None, user_locale=None, user_name=None, user_short_name=None,\n user_sortable_name=... |
def x(self, id, destination_user_id):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""ID"""
path['destination_user_id'] = destination_user_id
self.logger.debug(
'PUT /api/v1/users/{id}/merge_into/{destination_user_id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/users/{id}/merge_into/{destination_user_id}'.format(**path
), data=data, params=params, single_item=True)
| merge_user_into_another_user_destination_user_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, destination_user_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"ID\"\"\"\n path['destinat... |
def x(self, user_id):
path = {}
data = {}
params = {}
"""ID"""
path['user_id'] = user_id
self.logger.debug(
'GET /api/v1/users/{user_id}/profile with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET', '/api/v1/users/{user_id}/profile'.
format(**path), data=data, params=params, single_item=True)
| get_user_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n self.logger.debug(\n 'GET /api/v1... |
def x(self, user_id, end_time=None, start_time=None):
path = {}
data = {}
params = {}
"""ID"""
path['user_id'] = user_id
"""The beginning of the time range from which you want page views."""
if start_time is not None:
params['start_time'] = start_time
"""The end of the time range from which you want page views."""
if end_time is not None:
params['end_time'] = end_time
self.logger.debug(
'GET /api/v1/users/{user_id}/page_views with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET', '/api/v1/users/{user_id}/page_views'
.format(**path), data=data, params=params, all_pages=True)
| list_user_page_views | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, end_time=None, start_time=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n \"\"\"Th... |
def x(self, ns, data, user_id):
path = {}
data = {}
params = {}
"""ID"""
path['user_id'] = user_id
"""The namespace under which to store the data. This should be something other
Canvas API apps aren't likely to use, such as a reverse DNS for your organization."""
data['ns'] = ns
"""The data you want to store for the user, at the specified scope. If the data is
composed of (possibly nested) JSON objects, scopes will be generated for the (nested)
keys (see examples)."""
data['data'] = data
self.logger.debug(
'PUT /api/v1/users/{user_id}/custom_data with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/users/{user_id}/custom_data'.format(**path), data=data,
params=params, no_data=True)
| store_custom_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ns, data, user_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n \"\"\"The namespace under whic... |
def x(self):
path = {}
data = {}
params = {}
self.logger.debug(
'GET /api/v1/users/self/course_nicknames with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/users/self/course_nicknames'.format(**path), data=data,
params=params, all_pages=True)
| list_course_nicknames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n path = {}\n data = {}\n params = {}\n self.logger.debug(\n 'GET /api/v1/users/self/course_nicknames with query params: {params} and... |
def x(self, nickname, course_id):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The nickname to set. It must be non-empty and shorter than 60 characters."""
data['nickname'] = nickname
self.logger.debug(
'PUT /api/v1/users/self/course_nicknames/{course_id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/users/self/course_nicknames/{course_id}'.format(**path),
data=data, params=params, single_item=True)
| set_course_nickname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nickname, course_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"The nickname to se... |
def x(self, account_id, created_since=None):
path = {}
data = {}
params = {}
"""ID"""
path['account_id'] = account_id
"""If set, only shows imports created after the specified date (use ISO8601 format)"""
if created_since is not None:
if issubclass(created_since.__class__, basestring):
created_since = self._validate_iso8601_string(created_since)
elif issubclass(created_since.__class__, date) or issubclass(
created_since.__class__, datetime):
created_since = created_since.strftime('%Y-%m-%dT%H:%M:%S+00:00')
params['created_since'] = created_since
self.logger.debug(
'GET /api/v1/accounts/{account_id}/sis_imports with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/accounts/{account_id}/sis_imports'.format(**path), data=
data, params=params, data_key='sis_imports', all_pages=True)
| get_sis_import_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account_id, created_since=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"If se... |
def x(self, account_id, add_sis_stickiness=None, attachment=None,
batch_mode=None, batch_mode_term_id=None, clear_sis_stickiness=None,
diffing_data_set_identifier=None, diffing_remaster_data_set=None,
extension=None, import_type=None, override_sis_stickiness=None):
path = {}
data = {}
params = {}
files = {}
"""ID"""
path['account_id'] = account_id
"""Choose the data format for reading SIS data. With a standard Canvas
install, this option can only be 'instructure_csv', and if unprovided,
will be assumed to be so. Can be part of the query string."""
if import_type is not None:
data['import_type'] = import_type
"""There are two ways to post SIS import data - either via a
multipart/form-data form-field-style attachment, or via a non-multipart
raw post request.
'attachment' is required for multipart/form-data style posts. Assumed to
be SIS data from a file upload form field named 'attachment'.
Examples:
curl -F attachment=@<filename> -H "Authorization: Bearer <token>" 'https://<canvas>/api/v1/accounts/<account_id>/sis_imports.json?import_type=instructure_csv'
If you decide to do a raw post, you can skip the 'attachment' argument,
but you will then be required to provide a suitable Content-Type header.
You are encouraged to also provide the 'extension' argument.
Examples:
curl -H 'Content-Type: application/octet-stream' --data-binary @<filename>.zip -H "Authorization: Bearer <token>" 'https://<canvas>/api/v1/accounts/<account_id>/sis_imports.json?import_type=instructure_csv&extension=zip'
curl -H 'Content-Type: application/zip' --data-binary @<filename>.zip -H "Authorization: Bearer <token>" 'https://<canvas>/api/v1/accounts/<account_id>/sis_imports.json?import_type=instructure_csv'
curl -H 'Content-Type: text/csv' --data-binary @<filename>.csv -H "Authorization: Bearer <token>" 'https://<canvas>/api/v1/accounts/<account_id>/sis_imports.json?import_type=instructure_csv'
curl -H 'Content-Type: text/csv' --data-binary @<filename>.csv -H "Authorization: Bearer <token>" 'https://<canvas>/api/v1/accounts/<account_id>/sis_imports.json?import_type=instructure_csv&batch_mode=1&batch_mode_term_id=15'"""
if attachment is not None:
if type(attachment) is file:
files['attachment'] = os.path.basename(attachment.name), attachment
elif os.path.exists(attachment):
files['attachment'] = os.path.basename(attachment), open(attachment
, 'rb')
else:
raise ValueError(
'The attachment must be an open file or a path to a readable file.'
)
"""Recommended for raw post request style imports. This field will be used to
distinguish between zip, xml, csv, and other file format extensions that
would usually be provided with the filename in the multipart post request
scenario. If not provided, this value will be inferred from the
Content-Type, falling back to zip-file format if all else fails."""
if extension is not None:
data['extension'] = extension
"""If set, this SIS import will be run in batch mode, deleting any data
previously imported via SIS that is not present in this latest import.
See the SIS CSV Format page for details."""
if batch_mode is not None:
data['batch_mode'] = batch_mode
"""Limit deletions to only this term. Required if batch mode is enabled."""
if batch_mode_term_id is not None:
data['batch_mode_term_id'] = batch_mode_term_id
"""Many fields on records in Canvas can be marked "sticky," which means that
when something changes in the UI apart from the SIS, that field gets
"stuck." In this way, by default, SIS imports do not override UI changes.
If this field is present, however, it will tell the SIS import to ignore
"stickiness" and override all fields."""
if override_sis_stickiness is not None:
data['override_sis_stickiness'] = override_sis_stickiness
"""This option, if present, will process all changes as if they were UI
changes. This means that "stickiness" will be added to changed fields.
This option is only processed if 'override_sis_stickiness' is also provided."""
if add_sis_stickiness is not None:
data['add_sis_stickiness'] = add_sis_stickiness
"""This option, if present, will clear "stickiness" from all fields touched
by this import. Requires that 'override_sis_stickiness' is also provided.
If 'add_sis_stickiness' is also provided, 'clear_sis_stickiness' will
overrule the behavior of 'add_sis_stickiness'"""
if clear_sis_stickiness is not None:
data['clear_sis_stickiness'] = clear_sis_stickiness
"""If set on a CSV import, Canvas will attempt to optimize the SIS import by
comparing this set of CSVs to the previous set that has the same data set
identifier, and only appliying the difference between the two. See the
SIS CSV Format documentation for more details."""
if diffing_data_set_identifier is not None:
data['diffing_data_set_identifier'] = diffing_data_set_identifier
"""If true, and diffing_data_set_identifier is sent, this SIS import will be
part of the data set, but diffing will not be performed. See the SIS CSV
Format documentation for details."""
if diffing_remaster_data_set is not None:
data['diffing_remaster_data_set'] = diffing_remaster_data_set
self.logger.debug(
'POST /api/v1/accounts/{account_id}/sis_imports with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/accounts/{account_id}/sis_imports'.format(**path), data=
data, params=params, files=files, single_item=True)
| import_sis_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account_id, add_sis_stickiness=None, attachment=None,\n batch_mode=None, batch_mode_term_id=None, clear_sis_stickiness=None,\n diffing_data_set_ide... |
def x(self, account_id):
path = {}
data = {}
params = {}
"""ID"""
path['account_id'] = account_id
self.logger.debug(
'PUT /api/v1/accounts/{account_id}/sis_imports/abort_all_pending with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/accounts/{account_id}/sis_imports/abort_all_pending'.
format(**path), data=data, params=params)
| abort_all_pending_sis_imports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n self.logger.debug(\n 'PU... |
def x(dirname='.'):
import distutils.log
dirname = dirname or '.'
try:
valid_mgrs = managers.RepoManager.get_valid_managers(dirname)
valid_mgrs = managers.RepoManager.existing_only(valid_mgrs)
for mgr in valid_mgrs:
try:
return mgr.find_all_files()
except Exception:
e = sys.exc_info()[1]
distutils.log.warn('hgtools.%s could not find files: %s',
mgr, e)
except Exception:
e = sys.exc_info()[1]
distutils.log.warn(
'Unexpected error finding valid managers in hgtools.file_finder_plugin: %s'
, e)
return []
| file_finder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dirname='.'):\n import distutils.log\n dirname = dirname or '.'\n try:\n valid_mgrs = managers.RepoManager.get_valid_managers(dirname)\n ... |
def x(force_hg_version=False):
from setuptools.command.egg_info import egg_info
from pkg_resources import safe_version
import functools
orig_ver = egg_info.tagged_version
@functools.wraps(orig_ver)
def x(self):
vcs_param = getattr(self.distribution, 'use_vcs_version', False
) or getattr(self.distribution, 'use_hg_version', False)
using_hg_version = force_hg_version or vcs_param
if force_hg_version:
egg_info.tagged_version = orig_ver
if using_hg_version:
result = safe_version(self.distribution.get_version())
else:
result = orig_ver(self)
self.tag_build = result
return result
egg_info.tagged_version = tagged_version
| patch_egg_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(force_hg_version=False):\n from setuptools.command.egg_info import egg_info\n from pkg_resources import safe_version\n import functools\n orig_ver ... |
def x(dist, attr, value):
expected_attrs = 'use_hg_version', 'use_vcs_version'
if not value or attr not in expected_attrs:
return
options = value if isinstance(value, dict) else {}
dist.metadata.version = calculate_version(options)
patch_egg_info()
| version_calc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dist, attr, value):\n expected_attrs = 'use_hg_version', 'use_vcs_version'\n if not value or attr not in expected_attrs:\n return\n options = v... |
def x(name, value):
if name not in storage:
storage[name] = value
return storage[name]
| get_or_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, value):\n if name not in storage:\n storage[name] = value\n return storage[name]\n",
"role": "user"
},
{
"content": "get_or_crea... |
def x(module):
attributes = [(name, type_) for name, type_ in getmembers(module) if (
isclass(type_) or isfunction(type_)) and type_.__module__ == module
.__name__ and not type_.__name__.startswith('_')]
attribute_docs = ['## {0}'.format(module.__name__), '']
if module.__doc__:
docstring, _ = _parse_docstring(module.__doc__)
attribute_docs.append(docstring)
if hasattr(module, '__all__'):
for name in module.__all__:
link = '+ [{0}](./{0}.md)'.format(name)
attribute_docs.append(link)
for name, type_ in attributes:
if isfunction(type_):
attribute_docs.append(_parse_function(module, name, type_))
else:
attribute_docs.append(_parse_class(module, name, type_))
return u'{0}\n'.format(u'\n'.join(attribute_docs).strip())
| parse_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module):\n attributes = [(name, type_) for name, type_ in getmembers(module) if (\n isclass(type_) or isfunction(type_)) and type_.__module__ == modu... |
def x(target=None, args=[], kwargs={}, options={'retry': True, 'interval': 1}):
retry = options['retry']
interval = options['interval']
while True:
try:
resp = target(*args, **kwargs)
if resp.code == 200:
return resp
_logger.debug('Request got response status: %s' % (resp.code,) +
' retry: %s' % (retry,))
except TimeoutError:
_logger.debug('Request message is timeout')
_logger.debug(args)
_logger.debug(kwargs)
if retry is True:
sleep(interval)
continue
if retry is False:
return None
try:
retry = retry - 1
if retry <= 0:
return None
except TypeError as e:
raise e
sleep(interval)
| Retry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target=None, args=[], kwargs={}, options={'retry': True, 'interval': 1}):\n retry = options['retry']\n interval = options['interval']\n while True:\n ... |
def x(self, method, request_type='CRUD'):
def x(resource, data=None, block=True, timeout=60, topic='/controller',
tunnel=None, qos=0):
headers = {'resource': resource, 'method': method}
if request_type == 'DIRECT':
if tunnel is not None:
headers['tunnel'] = tunnel
elif self._conn.tunnels['view'][0] is not None:
headers['tunnel'] = self._conn.tunnels['view'][0]
elif self._conn.tunnels['model'][0] is not None:
headers['tunnel'] = self._conn.tunnels['model'][0]
else:
headers['tunnel'] = self._conn.tunnels['internel'][0]
message = self._create_message(headers, data)
with self._session.session_lock:
mid = self._conn.publish(topic=topic, qos=qos, payload=message.
to_dict())
session = self._session.create(message, mid=mid, age=timeout)
session['status'] = Status.SENDING
if block is False:
return self._wait_published(session)
return self._wait_resolved(session)
return _crud
| create_crud_func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, request_type='CRUD'):\n\n def x(resource, data=None, block=True, timeout=60, topic='/controller',\n tunnel=None, qos=0):\n heade... |
def x(self, message, sign):
def x(code=200, data=None):
resp_msg = message.to_response(code=code, data=data, sign=sign)
with self._session.session_lock:
mid = self._conn.publish(topic='/controller', qos=0, payload=
resp_msg.to_dict())
session = self._session.create(resp_msg, mid=mid, age=10)
logging.debug('sending response as mid: %s' % mid)
return self._wait_published(session, no_response=True)
return _response
| create_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, sign):\n\n def x(code=200, data=None):\n resp_msg = message.to_response(code=code, data=data, sign=sign)\n with self._session.s... |
def x(self, course_id, exclude_assignment_submission_types=None,
grading_period_id=None, include=None, override_assignment_dates=None,
scope_assignments_to_student=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""Associations to include with the group. "discussion_topic", "all_dates"
"assignment_visibility" & "submission" are only valid are only valid if "assignments" is also included.
The "assignment_visibility" option additionally requires that the Differentiated Assignments course feature be turned on."""
if include is not None:
self._validate_enum(include, ['assignments', 'discussion_topic',
'all_dates', 'assignment_visibility', 'overrides', 'submission'])
params['include'] = include
"""If "assignments" are included, those with the specified submission types
will be excluded from the assignment groups."""
if exclude_assignment_submission_types is not None:
self._validate_enum(exclude_assignment_submission_types, [
'online_quiz', 'discussion_topic', 'wiki_page', 'external_tool'])
params['exclude_assignment_submission_types'
] = exclude_assignment_submission_types
"""Apply assignment overrides for each assignment, defaults to true."""
if override_assignment_dates is not None:
params['override_assignment_dates'] = override_assignment_dates
"""The id of the grading period in which assignment groups are being requested
(Requires the Multiple Grading Periods feature turned on.)"""
if grading_period_id is not None:
params['grading_period_id'] = grading_period_id
"""If true, all assignments returned will apply to the current user in the
specified grading period. If assignments apply to other students in the
specified grading period, but not the current user, they will not be
returned. (Requires the grading_period_id argument and the Multiple Grading
Periods feature turned on. In addition, the current user must be a student.)"""
if scope_assignments_to_student is not None:
params['scope_assignments_to_student'] = scope_assignments_to_student
self.logger.debug(
'GET /api/v1/courses/{course_id}/assignment_groups with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/courses/{course_id}/assignment_groups'.format(**path),
data=data, params=params, all_pages=True)
| list_assignment_groups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, exclude_assignment_submission_types=None,\n grading_period_id=None, include=None, override_assignment_dates=None,\n scope_assignments_to... |
def x(self, course_id, assignment_group_id, grading_period_id=None, include
=None, override_assignment_dates=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['assignment_group_id'] = assignment_group_id
"""Associations to include with the group. "discussion_topic" and "assignment_visibility" and "submission"
are only valid if "assignments" is also included. The "assignment_visibility" option additionally
requires that the Differentiated Assignments course feature be turned on."""
if include is not None:
self._validate_enum(include, ['assignments', 'discussion_topic',
'assignment_visibility', 'submission'])
params['include'] = include
"""Apply assignment overrides for each assignment, defaults to true."""
if override_assignment_dates is not None:
params['override_assignment_dates'] = override_assignment_dates
"""The id of the grading period in which assignment groups are being requested
(Requires the Multiple Grading Periods account feature turned on)"""
if grading_period_id is not None:
params['grading_period_id'] = grading_period_id
self.logger.debug(
'GET /api/v1/courses/{course_id}/assignment_groups/{assignment_group_id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/courses/{course_id}/assignment_groups/{assignment_group_id}'
.format(**path), data=data, params=params, single_item=True)
| get_assignment_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, assignment_group_id, grading_period_id=None, include\n =None, override_assignment_dates=None):\n path = {}\n data = {}\n params = ... |
def x(self, course_id, group_weight=None, integration_data=None, name=None,
position=None, rules=None, sis_source_id=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The assignment group's name"""
if name is not None:
data['name'] = name
"""The position of this assignment group in relation to the other assignment groups"""
if position is not None:
data['position'] = position
"""The percent of the total grade that this assignment group represents"""
if group_weight is not None:
data['group_weight'] = group_weight
"""The sis source id of the Assignment Group"""
if sis_source_id is not None:
data['sis_source_id'] = sis_source_id
"""The integration data of the Assignment Group"""
if integration_data is not None:
data['integration_data'] = integration_data
"""The grading rules that are applied within this assignment group
See the Assignment Group object definition for format"""
if rules is not None:
data['rules'] = rules
self.logger.debug(
'POST /api/v1/courses/{course_id}/assignment_groups with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/assignment_groups'.format(**path),
data=data, params=params, single_item=True)
| create_assignment_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, group_weight=None, integration_data=None, name=None,\n position=None, rules=None, sis_source_id=None):\n path = {}\n data = {}\n p... |
def x(self, course_id, assignment_group_id):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['assignment_group_id'] = assignment_group_id
self.logger.debug(
'PUT /api/v1/courses/{course_id}/assignment_groups/{assignment_group_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}/assignment_groups/{assignment_group_id}'
.format(**path), data=data, params=params, single_item=True)
| edit_assignment_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, assignment_group_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"ID\"\"\... |
def x(self, quiz_id, course_id, quiz_groups_assessment_question_bank_id=
None, quiz_groups_name=None, quiz_groups_pick_count=None,
quiz_groups_question_points=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['quiz_id'] = quiz_id
"""The name of the question group."""
if quiz_groups_name is not None:
data['quiz_groups[name]'] = quiz_groups_name
"""The number of questions to randomly select for this group."""
if quiz_groups_pick_count is not None:
data['quiz_groups[pick_count]'] = quiz_groups_pick_count
"""The number of points to assign to each question in the group."""
if quiz_groups_question_points is not None:
data['quiz_groups[question_points]'] = quiz_groups_question_points
"""The id of the assessment question bank to pull questions from."""
if quiz_groups_assessment_question_bank_id is not None:
data['quiz_groups[assessment_question_bank_id]'
] = quiz_groups_assessment_question_bank_id
self.logger.debug(
'POST /api/v1/courses/{course_id}/quizzes/{quiz_id}/groups with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/quizzes/{quiz_id}/groups'.format(**
path), data=data, params=params, no_data=True)
| create_question_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quiz_id, course_id, quiz_groups_assessment_question_bank_id=\n None, quiz_groups_name=None, quiz_groups_pick_count=None,\n quiz_groups_question_poi... |
def x(self, id, quiz_id, course_id, quiz_groups_name=None,
quiz_groups_pick_count=None, quiz_groups_question_points=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['quiz_id'] = quiz_id
"""ID"""
path['id'] = id
"""The name of the question group."""
if quiz_groups_name is not None:
data['quiz_groups[name]'] = quiz_groups_name
"""The number of questions to randomly select for this group."""
if quiz_groups_pick_count is not None:
data['quiz_groups[pick_count]'] = quiz_groups_pick_count
"""The number of points to assign to each question in the group."""
if quiz_groups_question_points is not None:
data['quiz_groups[question_points]'] = quiz_groups_question_points
self.logger.debug(
'PUT /api/v1/courses/{course_id}/quizzes/{quiz_id}/groups/{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}/quizzes/{quiz_id}/groups/{id}'.format(
**path), data=data, params=params, no_data=True)
| update_question_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, quiz_id, course_id, quiz_groups_name=None,\n quiz_groups_pick_count=None, quiz_groups_question_points=None):\n path = {}\n data = {}\n pa... |
def x(self, id, quiz_id, order_id, course_id, order_type=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['quiz_id'] = quiz_id
"""ID"""
path['id'] = id
"""The associated item's unique identifier"""
data['order[id]'] = order_id
"""The type of item is always 'question' for a group"""
if order_type is not None:
self._validate_enum(order_type, ['question'])
data['order[type]'] = order_type
self.logger.debug(
'POST /api/v1/courses/{course_id}/quizzes/{quiz_id}/groups/{id}/reorder with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/quizzes/{quiz_id}/groups/{id}/reorder'
.format(**path), data=data, params=params, no_data=True)
| reorder_question_groups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, quiz_id, order_id, course_id, order_type=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id... |
def x(self, user_id, enrollment_state=None, include=None, state=None):
path = {}
data = {}
params = {}
"""ID"""
path['user_id'] = user_id
"""- "needs_grading_count": Optional information to include with each Course.
When needs_grading_count is given, and the current user has grading
rights, the total number of submissions needing grading for all
assignments is returned.
- "syllabus_body": Optional information to include with each Course.
When syllabus_body is given the user-generated html for the course
syllabus is returned.
- "public_description": Optional information to include with each Course.
When public_description is given the user-generated text for the course
public description is returned.
- "total_scores": Optional information to include with each Course.
When total_scores is given, any student enrollments will also
include the fields 'computed_current_score', 'computed_final_score',
'computed_current_grade', and 'computed_final_grade' (see Enrollment
documentation for more information on these fields). This argument
is ignored if the course is configured to hide final grades.
- "current_grading_period_scores": Optional information to include with
each Course. When current_grading_period_scores is given and total_scores
is given, any student enrollments will also include the fields
'multiple_grading_periods_enabled',
'totals_for_all_grading_periods_option', 'current_grading_period_title',
'current_grading_period_id', current_period_computed_current_score',
'current_period_computed_final_score',
'current_period_computed_current_grade', and
'current_period_computed_final_grade' (see Enrollment documentation for
more information on these fields). In addition, when this argument is
passed, the course will have a 'multiple_grading_periods_enabled' attribute
on it. This argument is ignored if the course is configured to hide final
grades or if the total_scores argument is not included.
- "term": Optional information to include with each Course. When
term is given, the information for the enrollment term for each course
is returned.
- "course_progress": Optional information to include with each Course.
When course_progress is given, each course will include a
'course_progress' object with the fields: 'requirement_count', an integer
specifying the total number of requirements in the course,
'requirement_completed_count', an integer specifying the total number of
requirements in this course that have been completed, and
'next_requirement_url', a string url to the next requirement item, and
'completed_at', the date the course was completed (null if incomplete).
'next_requirement_url' will be null if all requirements have been
completed or the current module does not require sequential progress.
"course_progress" will return an error message if the course is not
module based or the user is not enrolled as a student in the course.
- "sections": Section enrollment information to include with each Course.
Returns an array of hashes containing the section ID (id), section name
(name), start and end dates (start_at, end_at), as well as the enrollment
type (enrollment_role, e.g. 'StudentEnrollment').
- "storage_quota_used_mb": The amount of storage space used by the files in this course
- "total_students": Optional information to include with each Course.
Returns an integer for the total amount of active and invited students.
- "passback_status": Include the grade passback_status
- "favorites": Optional information to include with each Course.
Indicates if the user has marked the course as a favorite course.
- "teachers": Teacher information to include with each Course.
Returns an array of hashes containing the {api:Users:UserDisplay UserDisplay} information
for each teacher in the course.
- "observed_users": Optional information to include with each Course.
Will include data for observed users if the current user has an
observer enrollment.
- "tabs": Optional information to include with each Course.
Will include the list of tabs configured for each course. See the
{api:TabsController#index List available tabs API} for more information."""
if include is not None:
self._validate_enum(include, ['needs_grading_count',
'syllabus_body', 'public_description', 'total_scores',
'current_grading_period_scores', 'term', 'course_progress',
'sections', 'storage_quota_used_mb', 'total_students',
'passback_status', 'favorites', 'teachers', 'observed_users'])
params['include'] = include
"""If set, only return courses that are in the given state(s).
By default, "available" is returned for students and observers, and
anything except "deleted", for all other enrollment types"""
if state is not None:
self._validate_enum(state, ['unpublished', 'available', 'completed',
'deleted'])
params['state'] = state
"""When set, only return courses where the user has an enrollment with the given state.
This will respect section/course/term date overrides."""
if enrollment_state is not None:
self._validate_enum(enrollment_state, ['active',
'invited_or_pending', 'completed'])
params['enrollment_state'] = enrollment_state
self.logger.debug(
'GET /api/v1/users/{user_id}/courses with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET', '/api/v1/users/{user_id}/courses'.
format(**path), data=data, params=params, all_pages=True)
| list_courses_for_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, enrollment_state=None, include=None, state=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user... |
def x(self, course_id, enrollment_role=None, enrollment_role_id=None,
enrollment_state=None, enrollment_type=None, include=None, search_term=
None, user_id=None, user_ids=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The partial name or full ID of the users to match and return in the results list."""
if search_term is not None:
params['search_term'] = search_term
"""When set, only return users where the user is enrolled as this type.
"student_view" implies include[]=test_student.
This argument is ignored if enrollment_role is given."""
if enrollment_type is not None:
self._validate_enum(enrollment_type, ['teacher', 'student',
'student_view', 'ta', 'observer', 'designer'])
params['enrollment_type'] = enrollment_type
"""Deprecated
When set, only return users enrolled with the specified course-level role. This can be
a role created with the {api:RoleOverridesController#add_role Add Role API} or a
base role type of 'StudentEnrollment', 'TeacherEnrollment', 'TaEnrollment',
'ObserverEnrollment', or 'DesignerEnrollment'."""
if enrollment_role is not None:
params['enrollment_role'] = enrollment_role
"""When set, only return courses where the user is enrolled with the specified
course-level role. This can be a role created with the
{api:RoleOverridesController#add_role Add Role API} or a built_in role id with type
'StudentEnrollment', 'TeacherEnrollment', 'TaEnrollment', 'ObserverEnrollment',
or 'DesignerEnrollment'."""
if enrollment_role_id is not None:
params['enrollment_role_id'] = enrollment_role_id
"""- "email": Optional user email.
- "enrollments":
Optionally include with each Course the user's current and invited
enrollments. If the user is enrolled as a student, and the account has
permission to manage or view all grades, each enrollment will include a
'grades' key with 'current_score', 'final_score', 'current_grade' and
'final_grade' values.
- "locked": Optionally include whether an enrollment is locked.
- "avatar_url": Optionally include avatar_url.
- "bio": Optionally include each user's bio.
- "test_student": Optionally include the course's Test Student,
if present. Default is to not include Test Student.
- "custom_links": Optionally include plugin-supplied custom links for each student,
such as analytics information"""
if include is not None:
self._validate_enum(include, ['email', 'enrollments', 'locked',
'avatar_url', 'test_student', 'bio', 'custom_links'])
params['include'] = include
"""If this parameter is given and it corresponds to a user in the course,
the +page+ parameter will be ignored and the page containing the specified user
will be returned instead."""
if user_id is not None:
params['user_id'] = user_id
"""If included, the course users set will only include users with IDs
specified by the param. Note: this will not work in conjunction
with the "user_id" argument but multiple user_ids can be included."""
if user_ids is not None:
params['user_ids'] = user_ids
"""When set, only return users where the enrollment workflow state is of one of the given types.
"active" and "invited" enrollments are returned by default."""
if enrollment_state is not None:
self._validate_enum(enrollment_state, ['active', 'invited',
'rejected', 'completed', 'inactive'])
params['enrollment_state'] = enrollment_state
self.logger.debug(
'GET /api/v1/courses/{course_id}/users with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET', '/api/v1/courses/{course_id}/users'.
format(**path), data=data, params=params, all_pages=True)
| list_users_in_course_users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, enrollment_role=None, enrollment_role_id=None,\n enrollment_state=None, enrollment_type=None, include=None, search_term=\n None, user_id... |
def x(self, id, event):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""The action to take on the course."""
self._validate_enum(event, ['delete', 'conclude'])
params['event'] = event
self.logger.debug(
'DELETE /api/v1/courses/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('DELETE', '/api/v1/courses/{id}'.format(**
path), data=data, params=params, no_data=True)
| conclude_course | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, event):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"The action to take on the course.\"\"\"\n ... |
def x(self, course_id, allow_student_discussion_editing=None,
allow_student_discussion_topics=None, allow_student_forum_attachments=
None, allow_student_organized_groups=None, hide_distribution_graphs=
None, hide_final_grades=None, home_page_announcement_limit=None,
lock_all_announcements=None, restrict_student_future_view=None,
restrict_student_past_view=None, show_announcements_on_home_page=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""Let students create discussion topics"""
if allow_student_discussion_topics is not None:
data['allow_student_discussion_topics'
] = allow_student_discussion_topics
"""Let students attach files to discussions"""
if allow_student_forum_attachments is not None:
data['allow_student_forum_attachments'
] = allow_student_forum_attachments
"""Let students edit or delete their own discussion posts"""
if allow_student_discussion_editing is not None:
data['allow_student_discussion_editing'
] = allow_student_discussion_editing
"""Let students organize their own groups"""
if allow_student_organized_groups is not None:
data['allow_student_organized_groups'] = allow_student_organized_groups
"""Hide totals in student grades summary"""
if hide_final_grades is not None:
data['hide_final_grades'] = hide_final_grades
"""Hide grade distribution graphs from students"""
if hide_distribution_graphs is not None:
data['hide_distribution_graphs'] = hide_distribution_graphs
"""Disable comments on announcements"""
if lock_all_announcements is not None:
data['lock_all_announcements'] = lock_all_announcements
"""Restrict students from viewing courses after end date"""
if restrict_student_past_view is not None:
data['restrict_student_past_view'] = restrict_student_past_view
"""Restrict students from viewing courses before start date"""
if restrict_student_future_view is not None:
data['restrict_student_future_view'] = restrict_student_future_view
"""Show the most recent announcements on the Course home page (if a Wiki, defaults to five announcements, configurable via home_page_announcement_limit)"""
if show_announcements_on_home_page is not None:
data['show_announcements_on_home_page'
] = show_announcements_on_home_page
"""Limit the number of announcements on the home page if enabled via show_announcements_on_home_page"""
if home_page_announcement_limit is not None:
data['home_page_announcement_limit'] = home_page_announcement_limit
self.logger.debug(
'PUT /api/v1/courses/{course_id}/settings with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/courses/{course_id}/settings'.format(**path), data=data,
params=params, no_data=True)
| update_course_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, allow_student_discussion_editing=None,\n allow_student_discussion_topics=None, allow_student_forum_attachments=\n None, allow_student_or... |
def x(self, event, account_id, course_ids):
path = {}
data = {}
params = {}
"""ID"""
path['account_id'] = account_id
"""List of ids of courses to update. At most 500 courses may be updated in one call."""
data['course_ids'] = course_ids
"""no description"""
self._validate_enum(event, ['offer', 'conclude', 'delete', 'undelete'])
data['event'] = event
self.logger.debug(
'PUT /api/v1/accounts/{account_id}/courses with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('PUT',
'/api/v1/accounts/{account_id}/courses'.format(**path), data=data,
params=params, single_item=True)
| update_courses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, account_id, course_ids):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"List o... |
def x(self, course_id):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
self.logger.debug(
'POST /api/v1/courses/{course_id}/reset_content with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/reset_content'.format(**path), data=
data, params=params, single_item=True)
| reset_course | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n self.logger.debug(\n 'POST ... |
def x(self, course_id, assignment_ids=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""no description"""
if assignment_ids is not None:
params['assignment_ids'] = assignment_ids
self.logger.debug(
'GET /api/v1/courses/{course_id}/effective_due_dates with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/courses/{course_id}/effective_due_dates'.format(**path),
data=data, params=params, single_item=True)
| get_effective_due_dates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, assignment_ids=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"no desc... |
def x(self, course_id, permissions=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""List of permissions to check against authenticated user"""
if permissions is not None:
params['permissions'] = permissions
self.logger.debug(
'GET /api/v1/courses/{course_id}/permissions with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/courses/{course_id}/permissions'.format(**path), data=data,
params=params, no_data=True)
| permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, permissions=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"List of pe... |
def x(self, course_id, exclude=None, only=None, source_course=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID or SIS-ID of the course to copy the content from"""
if source_course is not None:
data['source_course'] = source_course
"""A list of the course content types to exclude, all areas not listed will
be copied."""
if exclude is not None:
self._validate_enum(exclude, ['course_settings', 'assignments',
'external_tools', 'files', 'topics', 'calendar_events',
'quizzes', 'wiki_pages', 'modules', 'outcomes'])
data['except'] = exclude
"""A list of the course content types to copy, all areas not listed will not
be copied."""
if only is not None:
self._validate_enum(only, ['course_settings', 'assignments',
'external_tools', 'files', 'topics', 'calendar_events',
'quizzes', 'wiki_pages', 'modules', 'outcomes'])
data['only'] = only
self.logger.debug(
'POST /api/v1/courses/{course_id}/course_copy with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/course_copy'.format(**path), data=data,
params=params, no_data=True)
| copy_course_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, exclude=None, only=None, source_course=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = cour... |
def x(title, description, element_list=None, tab_list=None):
_page = {'Type': 'Page', 'Title': title, 'Description': description,
'Data': {}}
if element_list is not None:
if isinstance(element_list, list):
_page['Data']['Elements'] = element_list
else:
_page['Data']['Elements'] = [element_list]
if tab_list is not None:
if isinstance(tab_list, list):
_page['Data']['Tabs'] = tab_list
else:
_page['Data']['Tabs'] = [tab_list]
return _page
| page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title, description, element_list=None, tab_list=None):\n _page = {'Type': 'Page', 'Title': title, 'Description': description,\n 'Data': {}}\n if e... |
def x(tab_name, element_list=None, section_list=None):
_tab = {'Type': 'Tab', 'Title': tab_name}
if element_list is not None:
if isinstance(element_list, list):
_tab['Elements'] = element_list
else:
_tab['Elements'] = [element_list]
if section_list is not None:
if isinstance(section_list, list):
_tab['Sections'] = section_list
elif 'Elements' not in section_list:
_tab['Elements'] = element_list
else:
_tab['Elements'].append(element_list)
return _tab
| tab | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tab_name, element_list=None, section_list=None):\n _tab = {'Type': 'Tab', 'Title': tab_name}\n if element_list is not None:\n if isinstance(elemen... |
def x(title, element_list):
sect = {'Type': 'Section', 'Title': title}
if isinstance(element_list, list):
sect['Elements'] = element_list
else:
sect['Elements'] = [element_list]
return sect
| section | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title, element_list):\n sect = {'Type': 'Section', 'Title': title}\n if isinstance(element_list, list):\n sect['Elements'] = element_list\n els... |
def x(title, desc, image_name, group=None, height=None):
ie = {'Type': 'Image', 'Title': title, 'Description': desc, 'Plot File':
image_name}
if group:
ie['Group'] = group
if height:
ie['Height'] = height
return ie
| image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title, desc, image_name, group=None, height=None):\n ie = {'Type': 'Image', 'Title': title, 'Description': desc, 'Plot File':\n image_name}\n if g... |
def x(self):
print('\tRetrieving commands from', self.sql_script)
print('\tUsing command splitter algorithm {0}'.format(self.split_algo))
with Timer('\tRetrieved commands in'):
if self.split_algo is 'sql_parse':
commands = SplitCommands(self.sql_script).sql_parse
elif self.split_algo is 'simple_split':
commands = SplitCommands(self.sql_script).simple_split()
elif self.split_algo is 'sql_parse_nosplit':
commands = SplitCommands(self.sql_script).sql_parse_nosplit
elif self.split_algo is 'sql_split':
commands = SplitCommands(self.sql_script).sql_split(disable_tqdm
=False)
else:
commands = SplitCommands(self.sql_script).sql_split(disable_tqdm
=False)
cleaned_commands = [com.replace('dbo.', '') for com in commands]
return cleaned_commands
| commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n print('\\tRetrieving commands from', self.sql_script)\n print('\\tUsing command splitter algorithm {0}'.format(self.split_algo))\n with Timer... |
def x(self, commands=None, ignored_commands=('DROP', 'UNLOCK', 'LOCK'),
execute_fails=True, max_executions=MAX_EXECUTION_ATTEMPTS):
self._MySQL.disconnect()
self._execute_iters += 1
if self._execute_iters > 0:
print('\tExecuting commands attempt #{0}'.format(self._execute_iters))
commands = self.commands if not commands else commands
if ignored_commands:
commands = filter_commands(commands, ignored_commands)
self._MySQL.reconnect()
fail, success = self._execute_commands(commands)
print('\t' + str(success), 'successful commands')
if len(fail) > 1 and self._dump_fails:
dump_dir = self.dump_commands(fail)
if execute_fails and self._execute_iters < max_executions:
return self._execute_commands_from_dir(dump_dir)
return fail, success
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commands=None, ignored_commands=('DROP', 'UNLOCK', 'LOCK'),\n execute_fails=True, max_executions=MAX_EXECUTION_ATTEMPTS):\n self._MySQL.disconnect(... |
def x(self, commands, fails=False):
if self._prep_statements:
prepared_commands = [prepare_sql(c) for c in tqdm(commands, total=
len(commands), desc='Prepping SQL Commands')]
print('\tCommands prepared', len(prepared_commands))
else:
prepared_commands = commands
desc = ('Executing SQL Commands' if not fails else
'Executing Failed SQL Commands')
fail, success = [], 0
for command in tqdm(prepared_commands, total=len(prepared_commands),
desc=desc):
try:
self._MySQL.executemore(command)
success += 1
except:
fail.append(command)
self._MySQL._commit()
return fail, success
| execute_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commands, fails=False):\n if self._prep_statements:\n prepared_commands = [prepare_sql(c) for c in tqdm(commands, total=\n len(comma... |
def x(self, directory):
commands = get_commands_from_dir(directory)
print('\tAttempting to execute {0} failed commands'.format(len(commands)))
return self.execute(commands, ignored_commands=None, execute_fails=True)
| execute_commands_from_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, directory):\n commands = get_commands_from_dir(directory)\n print('\\tAttempting to execute {0} failed commands'.format(len(commands)))\n return... |
def x(self, commands):
directory = os.path.join(os.path.dirname(self.sql_script), 'fails')
fname = os.path.basename(self.sql_script.rsplit('.')[0])
return dump_commands(commands, directory, fname)
| dump_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commands):\n directory = os.path.join(os.path.dirname(self.sql_script), 'fails')\n fname = os.path.basename(self.sql_script.rsplit('.')[0])\n re... |
def x(reverse=False):
if reverse:
sys.stdout = sys.__stdout__
sys.stderr = sys.__stderr__
else:
sys.stdout = os.devnull
sys.stderr = os.devnull
| suppress_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reverse=False):\n if reverse:\n sys.stdout = sys.__stdout__\n sys.stderr = sys.__stderr__\n else:\n sys.stdout = os.devnull\n ... |
def x(f):
reporter = RReporter()
checkPath(f, reporter=reporter)
return dict(reporter.messages)
| get_unresolved_variables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n reporter = RReporter()\n checkPath(f, reporter=reporter)\n return dict(reporter.messages)\n",
"role": "user"
},
{
"content": "get_un... |
def x(idx=None, path=None):
suppress_output()
modules = defaultdict(list)
pkglist = pkgutil.walk_packages(onerror=lambda x: True)
print(pkglist)
if path:
pkglist = pkgutil.walk_packages(path, onerror=lambda x: True)
for modl, name, ispkg in pkglist:
try:
path = os.path.join(modl.path, name.split('.')[-1])
except AttributeError:
continue
if os.path.isdir(path):
path = os.path.join(path, '__init__')
path += '.py'
objs = []
if os.path.exists(path):
try:
objs = read_objs_from_path(path)
except:
continue
elif not re.search(MODULE_BLACKLIST, name):
try:
mod = __import__(name)
objs = [k for k in dir(mod) if not k.startswith('__')]
except:
continue
else:
continue
for obj in objs:
if name not in modules[obj]:
modules[obj].append(name)
suppress_output(True)
return merge_dicts(idx, dict(modules))
| index_modules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idx=None, path=None):\n suppress_output()\n modules = defaultdict(list)\n pkglist = pkgutil.walk_packages(onerror=lambda x: True)\n print(pkglist)\... |
def x(idx, unresolved):
result = {}
for u, lines in unresolved.items():
paths = idx.get(u)
if paths:
result[u] = {'paths': paths, 'lineno': lines}
return result
| get_suggestions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idx, unresolved):\n result = {}\n for u, lines in unresolved.items():\n paths = idx.get(u)\n if paths:\n result[u] = {'paths': p... |
def x(self):
r = dict([(k, sorted(copy.deepcopy(v).values(), key=lambda x: x.get(
'order', 0))) for k, v in self.get_config('includes').items()])
if self.version is not None:
for k, v in r.items():
for j in v:
j['path'] = self.versioned_url(j['path'])
return r
| includes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = dict([(k, sorted(copy.deepcopy(v).values(), key=lambda x: x.get(\n 'order', 0))) for k, v in self.get_config('includes').items()])\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.