source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(callable, *args, **kw):
try:
val = callable(*args, **kw)
except TypeError:
exc_info = fix_type_error(None, callable, args, kw)
reraise(*exc_info)
return val
|
fix_call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callable, *args, **kw):\n try:\n val = callable(*args, **kw)\n except TypeError:\n exc_info = fix_type_error(None, callable, args, kw)\n reraise(*exc_info)\n return val\n",
"role": "user"
},
{
"content": "fix_call",
"role": "assistant"
}
] |
def x(spec):
parts, target = spec.split(':') if ':' in spec else (spec, None)
module = __import__(parts)
for part in (parts.split('.')[1:] + ([target] if target else [])):
module = getattr(module, part)
return module
|
lookup_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spec):\n parts, target = spec.split(':') if ':' in spec else (spec, None)\n module = __import__(parts)\n for part in (parts.split('.')[1:] + ([target] if target else [])):\n module = getattr(module, part)\n return module\n",
"role": "user"
},
{
"content": "lookup_object",
"role": "assistant"
}
] |
def x(lst):
if not isinstance(lst, (list, tuple)):
return [lst]
result = []
for item in lst:
result.extend(_flatten(item))
return result
|
flatten
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lst):\n if not isinstance(lst, (list, tuple)):\n return [lst]\n result = []\n for item in lst:\n result.extend(_flatten(item))\n return result\n",
"role": "user"
},
{
"content": "flatten",
"role": "assistant"
}
] |
def x(self):
defaults = ConfigParser.defaults(self).copy()
for key, val in iteritems(defaults):
defaults[key] = self.get('DEFAULT', key) or val
return defaults
|
defaults
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n defaults = ConfigParser.defaults(self).copy()\n for key, val in iteritems(defaults):\n defaults[key] = self.get('DEFAULT', key) or val\n return defaults\n",
"role": "user"
},
{
"content": "defaults",
"role": "assistant"
}
] |
def x(self, object_type, name=None):
possible = []
for name_options in object_type.config_prefixes:
for name_prefix in name_options:
found = self._find_sections(self.parser.sections(), name_prefix,
name)
if found:
possible.extend(found)
break
if not possible:
raise LookupError(
'No section %r (prefixed by %s) found in config %s' % (name,
' or '.join(map(repr, _flatten(object_type.config_prefixes))),
self.filename))
if len(possible) > 1:
raise LookupError(
'Ambiguous section names %r for section %r (prefixed by %s) found in config %s'
% (possible, name, ' or '.join(map(repr, _flatten(object_type.
config_prefixes))), self.filename))
return possible[0]
|
find_config_section
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object_type, name=None):\n possible = []\n for name_options in object_type.config_prefixes:\n for name_prefix in name_options:\n found = self._find_sections(self.parser.sections(), name_prefix,\n name)\n if found:\n possible.extend(found)\n break\n if not possible:\n raise LookupError(\n 'No section %r (prefixed by %s) found in config %s' % (name,\n ' or '.join(map(repr, _flatten(object_type.config_prefixes))),\n self.filename))\n if len(possible) > 1:\n raise LookupError(\n 'Ambiguous section names %r for section %r (prefixed by %s) found in config %s'\n % (possible, name, ' or '.join(map(repr, _flatten(object_type.\n config_prefixes))), self.filename))\n return possible[0]\n",
"role": "user"
},
{
"content": "find_config_section",
"role": "assistant"
}
] |
def x(self, object_type, name=None):
if name is None:
name = 'main'
possible = []
for protocol_options in object_type.egg_protocols:
for protocol in protocol_options:
pkg_resources.require(self.spec)
entry = pkg_resources.get_entry_info(self.spec, protocol, name)
if entry is not None:
possible.append((entry.load(), protocol, entry.name))
break
if not possible:
dist = pkg_resources.get_distribution(self.spec)
raise LookupError(
'Entry point %r not found in egg %r (dir: %s; protocols: %s; entry_points: %s)'
% (name, self.spec, dist.location, ', '.join(_flatten(
object_type.egg_protocols)), ', '.join(_flatten([dictkeys(
pkg_resources.get_entry_info(self.spec, prot, name) or {}) for
prot in protocol_options] or '(no entry points)'))))
if len(possible) > 1:
raise LookupError(
'Ambiguous entry points for %r in egg %r (protocols: %s)' % (
name, self.spec, ', '.join(_flatten(protocol_options))))
return possible[0]
|
find_egg_entry_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object_type, name=None):\n if name is None:\n name = 'main'\n possible = []\n for protocol_options in object_type.egg_protocols:\n for protocol in protocol_options:\n pkg_resources.require(self.spec)\n entry = pkg_resources.get_entry_info(self.spec, protocol, name)\n if entry is not None:\n possible.append((entry.load(), protocol, entry.name))\n break\n if not possible:\n dist = pkg_resources.get_distribution(self.spec)\n raise LookupError(\n 'Entry point %r not found in egg %r (dir: %s; protocols: %s; entry_points: %s)'\n % (name, self.spec, dist.location, ', '.join(_flatten(\n object_type.egg_protocols)), ', '.join(_flatten([dictkeys(\n pkg_resources.get_entry_info(self.spec, prot, name) or {}) for\n prot in protocol_options] or '(no entry points)'))))\n if len(possible) > 1:\n raise LookupError(\n 'Ambiguous entry points for %r in egg %r (protocols: %s)' % (\n name, self.spec, ', '.join(_flatten(protocol_options))))\n return possible[0]\n",
"role": "user"
},
{
"content": "find_egg_entry_point",
"role": "assistant"
}
] |
def x(self, remote_relative_path, input_type):
directory, allow_nested_files = self._directory_for_file_type(input_type)
return self.path_helper.remote_join(directory, remote_relative_path)
|
calculate_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote_relative_path, input_type):\n directory, allow_nested_files = self._directory_for_file_type(input_type)\n return self.path_helper.remote_join(directory, remote_relative_path)\n",
"role": "user"
},
{
"content": "calculate_path",
"role": "assistant"
}
] |
def x(self, job_id):
job_directory = self._proxied_manager.job_directory(job_id)
with job_directory.lock('status'):
proxy_status, state_change = self.__proxy_status(job_directory, job_id)
if state_change == 'to_complete':
self.__deactivate(job_id, proxy_status)
elif state_change == 'to_running':
self.__state_change_callback(status.RUNNING, job_id)
return self.__status(job_directory, proxy_status)
|
get_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n job_directory = self._proxied_manager.job_directory(job_id)\n with job_directory.lock('status'):\n proxy_status, state_change = self.__proxy_status(job_directory, job_id)\n if state_change == 'to_complete':\n self.__deactivate(job_id, proxy_status)\n elif state_change == 'to_running':\n self.__state_change_callback(status.RUNNING, job_id)\n return self.__status(job_directory, proxy_status)\n",
"role": "user"
},
{
"content": "get_status",
"role": "assistant"
}
] |
def x(self, job_directory, job_id):
state_change = None
if job_directory.has_metadata(JOB_FILE_PREPROCESSING_FAILED):
proxy_status = status.FAILED
job_directory.store_metadata(JOB_FILE_FINAL_STATUS, proxy_status)
state_change = 'to_complete'
elif not job_directory.has_metadata(JOB_FILE_PREPROCESSED):
proxy_status = status.PREPROCESSING
elif job_directory.has_metadata(JOB_FILE_FINAL_STATUS):
proxy_status = job_directory.load_metadata(JOB_FILE_FINAL_STATUS)
else:
proxy_status = self._proxied_manager.get_status(job_id)
if proxy_status == status.RUNNING:
if not job_directory.has_metadata(JOB_METADATA_RUNNING):
job_directory.store_metadata(JOB_METADATA_RUNNING, True)
state_change = 'to_running'
elif proxy_status in [status.COMPLETE, status.CANCELLED]:
job_directory.store_metadata(JOB_FILE_FINAL_STATUS, proxy_status)
state_change = 'to_complete'
return proxy_status, state_change
|
proxy_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_directory, job_id):\n state_change = None\n if job_directory.has_metadata(JOB_FILE_PREPROCESSING_FAILED):\n proxy_status = status.FAILED\n job_directory.store_metadata(JOB_FILE_FINAL_STATUS, proxy_status)\n state_change = 'to_complete'\n elif not job_directory.has_metadata(JOB_FILE_PREPROCESSED):\n proxy_status = status.PREPROCESSING\n elif job_directory.has_metadata(JOB_FILE_FINAL_STATUS):\n proxy_status = job_directory.load_metadata(JOB_FILE_FINAL_STATUS)\n else:\n proxy_status = self._proxied_manager.get_status(job_id)\n if proxy_status == status.RUNNING:\n if not job_directory.has_metadata(JOB_METADATA_RUNNING):\n job_directory.store_metadata(JOB_METADATA_RUNNING, True)\n state_change = 'to_running'\n elif proxy_status in [status.COMPLETE, status.CANCELLED]:\n job_directory.store_metadata(JOB_FILE_FINAL_STATUS, proxy_status)\n state_change = 'to_complete'\n return proxy_status, state_change\n",
"role": "user"
},
{
"content": "proxy_status",
"role": "assistant"
}
] |
def x(self, job_directory, proxy_status):
if proxy_status == status.COMPLETE:
if not job_directory.has_metadata(JOB_FILE_POSTPROCESSED):
job_status = status.POSTPROCESSING
else:
job_status = status.COMPLETE
else:
job_status = proxy_status
return job_status
|
status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_directory, proxy_status):\n if proxy_status == status.COMPLETE:\n if not job_directory.has_metadata(JOB_FILE_POSTPROCESSED):\n job_status = status.POSTPROCESSING\n else:\n job_status = status.COMPLETE\n else:\n job_status = proxy_status\n return job_status\n",
"role": "user"
},
{
"content": "status",
"role": "assistant"
}
] |
def x(self, output_file):
output_directory = dirname(output_file)
def x(name):
return join(output_directory, self.path_helper.local_name(name))
files_directory = '%s_files%s' % (basename(output_file)[0:-len('.dat')],
self.path_helper.separator)
names = filter(lambda o: o.startswith(files_directory), self.
output_directory_contents)
return dict(map(lambda name: (local_path(name), name), names))
|
output_extras
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output_file):\n output_directory = dirname(output_file)\n\n def x(name):\n return join(output_directory, self.path_helper.local_name(name))\n files_directory = '%s_files%s' % (basename(output_file)[0:-len('.dat')],\n self.path_helper.separator)\n names = filter(lambda o: o.startswith(files_directory), self.\n output_directory_contents)\n return dict(map(lambda name: (local_path(name), name), names))\n",
"role": "user"
},
{
"content": "output_extras",
"role": "assistant"
}
] |
def x(*args, **kwargs):
user = kwargs.get('user', None)
full_command = [SUDO_PATH, SUDO_PRESERVE_ENVIRONMENT_ARG]
if user:
full_command.extend([SUDO_USER_ARG, user])
full_command.extend(args)
log.info('About to execute the following sudo command - [%s]' % ' '.
join(full_command))
p = Popen(full_command, shell=False, stdout=PIPE, stderr=PIPE)
return p
|
sudo_popen
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n user = kwargs.get('user', None)\n full_command = [SUDO_PATH, SUDO_PRESERVE_ENVIRONMENT_ARG]\n if user:\n full_command.extend([SUDO_USER_ARG, user])\n full_command.extend(args)\n log.info('About to execute the following sudo command - [%s]' % ' '.\n join(full_command))\n p = Popen(full_command, shell=False, stdout=PIPE, stderr=PIPE)\n return p\n",
"role": "user"
},
{
"content": "sudo_popen",
"role": "assistant"
}
] |
def x(self, major_number):
keys = ['unreleased_bugfix', 'unreleased_feature']
if major_number == 0 and self.config.releases_unstable_prehistory:
keys = ['unreleased']
self[major_number] = {key: [] for key in keys}
|
add_family
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, major_number):\n keys = ['unreleased_bugfix', 'unreleased_feature']\n if major_number == 0 and self.config.releases_unstable_prehistory:\n keys = ['unreleased']\n self[major_number] = {key: [] for key in keys}\n",
"role": "user"
},
{
"content": "add_family",
"role": "assistant"
}
] |
def x(self):
nonzeroes = self.stable_families
if not nonzeroes:
return False
if len(nonzeroes) > 1:
return True
return any(x for x in self[nonzeroes[0]] if not x.startswith('unreleased'))
|
has_stable_releases
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nonzeroes = self.stable_families\n if not nonzeroes:\n return False\n if len(nonzeroes) > 1:\n return True\n return any(x for x in self[nonzeroes[0]] if not x.startswith('unreleased'))\n",
"role": "user"
},
{
"content": "has_stable_releases",
"role": "assistant"
}
] |
def x(path, **kwargs):
app, doctree = get_doctree(path, **kwargs)
first_list = None
for node in doctree[0]:
if isinstance(node, bullet_list):
first_list = node
break
releases, manager = construct_releases(first_list.children, app)
ret = changelog2dict(releases)
for key in ret.copy():
if key.startswith('unreleased'):
del ret[key]
for family in manager:
manager[family].pop('unreleased_bugfix', None)
unreleased = manager[family].pop('unreleased_feature', None)
if unreleased is not None:
ret['unreleased_{}_feature'.format(family)] = unreleased
ret.update(manager[family])
return ret
|
parse_changelog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n app, doctree = get_doctree(path, **kwargs)\n first_list = None\n for node in doctree[0]:\n if isinstance(node, bullet_list):\n first_list = node\n break\n releases, manager = construct_releases(first_list.children, app)\n ret = changelog2dict(releases)\n for key in ret.copy():\n if key.startswith('unreleased'):\n del ret[key]\n for family in manager:\n manager[family].pop('unreleased_bugfix', None)\n unreleased = manager[family].pop('unreleased_feature', None)\n if unreleased is not None:\n ret['unreleased_{}_feature'.format(family)] = unreleased\n ret.update(manager[family])\n return ret\n",
"role": "user"
},
{
"content": "parse_changelog",
"role": "assistant"
}
] |
def x(path, **kwargs):
root, filename = os.path.split(path)
docname, _ = os.path.splitext(filename)
app = make_app(srcdir=root, **kwargs)
app._init_env(freshenv=True)
env = app.env
kwargs = dict(config=app.config, srcdir=root, doctreedir=app.doctreedir,
app=app)
try:
env.update(**kwargs)
except TypeError:
del kwargs['app']
env.update(**kwargs)
env.temp_data['docname'] = docname
env.app = app
reader_kwargs = {'app': app, 'parsers': env.config.source_parsers}
if sphinx.version_info[:2] < (1, 4):
del reader_kwargs['app']
with sphinx_domains(env):
try:
reader = SphinxStandaloneReader(**reader_kwargs)
except TypeError:
del reader_kwargs['parsers']
reader = SphinxStandaloneReader(**reader_kwargs)
pub = Publisher(reader=reader, writer=SphinxDummyWriter(),
destination_class=NullOutput)
pub.set_components(None, 'restructuredtext', None)
pub.process_programmatic_settings(None, env.settings, None)
src_path = env.doc2path(docname)
source = SphinxFileInput(app, env, source=None, source_path=
src_path, encoding=env.config.source_encoding)
pub.source = source
pub.settings._source = src_path
pub.set_destination(None, None)
pub.publish()
return app, pub.document
|
get_doctree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n root, filename = os.path.split(path)\n docname, _ = os.path.splitext(filename)\n app = make_app(srcdir=root, **kwargs)\n app._init_env(freshenv=True)\n env = app.env\n kwargs = dict(config=app.config, srcdir=root, doctreedir=app.doctreedir,\n app=app)\n try:\n env.update(**kwargs)\n except TypeError:\n del kwargs['app']\n env.update(**kwargs)\n env.temp_data['docname'] = docname\n env.app = app\n reader_kwargs = {'app': app, 'parsers': env.config.source_parsers}\n if sphinx.version_info[:2] < (1, 4):\n del reader_kwargs['app']\n with sphinx_domains(env):\n try:\n reader = SphinxStandaloneReader(**reader_kwargs)\n except TypeError:\n del reader_kwargs['parsers']\n reader = SphinxStandaloneReader(**reader_kwargs)\n pub = Publisher(reader=reader, writer=SphinxDummyWriter(),\n destination_class=NullOutput)\n pub.set_components(None, 'restructuredtext', None)\n pub.process_programmatic_settings(None, env.settings, None)\n src_path = env.doc2path(docname)\n source = SphinxFileInput(app, env, source=None, source_path=\n src_path, encoding=env.config.source_encoding)\n pub.source = source\n pub.settings._source = src_path\n pub.set_destination(None, None)\n pub.publish()\n return app, pub.document\n",
"role": "user"
},
{
"content": "get_doctree",
"role": "assistant"
}
] |
def x(srcdir):
path = os.path.join(srcdir, 'conf.py')
mylocals = {'__file__': path}
with open(path) as fd:
exec(fd.read(), mylocals)
return mylocals
|
load_conf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(srcdir):\n path = os.path.join(srcdir, 'conf.py')\n mylocals = {'__file__': path}\n with open(path) as fd:\n exec(fd.read(), mylocals)\n return mylocals\n",
"role": "user"
},
{
"content": "load_conf",
"role": "assistant"
}
] |
def x(**kwargs):
srcdir = kwargs.pop('srcdir', mkdtemp())
dstdir = kwargs.pop('dstdir', mkdtemp())
doctreedir = kwargs.pop('doctreedir', mkdtemp())
load_extensions = kwargs.pop('load_extensions', False)
real_conf = None
try:
Sphinx._log = lambda self, message, wfile, nonl=False: None
for name in ('sphinx', 'sphinx.sphinx.application'):
logging.getLogger(name).setLevel(logging.ERROR)
app = Sphinx(srcdir=srcdir, confdir=None, outdir=dstdir, doctreedir
=doctreedir, buildername='html')
if load_extensions:
real_conf = load_conf(srcdir)
finally:
for d in (srcdir, dstdir, doctreedir):
try:
os.rmdir(d)
except OSError:
pass
setup(app)
config = {'releases_release_uri': 'foo_%s', 'releases_issue_uri':
'bar_%s', 'releases_debug': False, 'master_doc': 'index'}
if 'docname' in kwargs:
app.env.temp_data['docname'] = kwargs.pop('docname')
for name in kwargs:
config['releases_{}'.format(name)] = kwargs[name]
app.config._raw_config = config
try:
app.config.init_values()
except TypeError:
app.config.init_values(lambda x: x)
if load_extensions:
for extension in real_conf.get('extensions', []):
if extension == 'releases':
continue
app.setup_extension(extension)
return app
|
make_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n srcdir = kwargs.pop('srcdir', mkdtemp())\n dstdir = kwargs.pop('dstdir', mkdtemp())\n doctreedir = kwargs.pop('doctreedir', mkdtemp())\n load_extensions = kwargs.pop('load_extensions', False)\n real_conf = None\n try:\n Sphinx._log = lambda self, message, wfile, nonl=False: None\n for name in ('sphinx', 'sphinx.sphinx.application'):\n logging.getLogger(name).setLevel(logging.ERROR)\n app = Sphinx(srcdir=srcdir, confdir=None, outdir=dstdir, doctreedir\n =doctreedir, buildername='html')\n if load_extensions:\n real_conf = load_conf(srcdir)\n finally:\n for d in (srcdir, dstdir, doctreedir):\n try:\n os.rmdir(d)\n except OSError:\n pass\n setup(app)\n config = {'releases_release_uri': 'foo_%s', 'releases_issue_uri':\n 'bar_%s', 'releases_debug': False, 'master_doc': 'index'}\n if 'docname' in kwargs:\n app.env.temp_data['docname'] = kwargs.pop('docname')\n for name in kwargs:\n config['releases_{}'.format(name)] = kwargs[name]\n app.config._raw_config = config\n try:\n app.config.init_values()\n except TypeError:\n app.config.init_values(lambda x: x)\n if load_extensions:\n for extension in real_conf.get('extensions', []):\n if extension == 'releases':\n continue\n app.setup_extension(extension)\n return app\n",
"role": "user"
},
{
"content": "make_app",
"role": "assistant"
}
] |
def x(txt, config):
if config.releases_debug:
sys.stderr.write(str(txt) + '\n')
sys.stderr.flush()
|
log
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(txt, config):\n if config.releases_debug:\n sys.stderr.write(str(txt) + '\\n')\n sys.stderr.flush()\n",
"role": "user"
},
{
"content": "log",
"role": "assistant"
}
] |
def x(keyword):
keyword = keyword.lstrip('(').rstrip(')')
matches = release_line_re.findall(keyword)
if matches:
return Spec('>={}'.format(matches[0]))
try:
return Spec(keyword)
except ValueError:
return None
|
scan_for_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(keyword):\n keyword = keyword.lstrip('(').rstrip(')')\n matches = release_line_re.findall(keyword)\n if matches:\n return Spec('>={}'.format(matches[0]))\n try:\n return Spec(keyword)\n except ValueError:\n return None\n",
"role": "user"
},
{
"content": "scan_for_spec",
"role": "assistant"
}
] |
def x(name, rawtext, text, lineno, inliner, options={}, content=[]):
parts = utils.unescape(text).split()
issue_no = parts.pop(0)
config = inliner.document.settings.env.app.config
if issue_no not in ('-', '0'):
ref = None
if config.releases_issue_uri:
ref = config.releases_issue_uri % issue_no
elif config.releases_github_path:
ref = 'https://github.com/{}/issues/{}'.format(config.
releases_github_path, issue_no)
if ref:
identifier = nodes.reference(rawtext, '#' + issue_no, refuri=
ref, **options)
else:
identifier = nodes.raw(rawtext=rawtext, text='#' + issue_no,
format='html', **options)
else:
identifier = None
issue_no = None
if name in ISSUE_TYPES:
nodelist = issue_nodelist(name, identifier)
spec = None
keyword = None
for part in parts:
maybe_spec = scan_for_spec(part)
if maybe_spec:
spec = maybe_spec
elif part in ('backported', 'major'):
keyword = part
else:
err = 'Gave unknown keyword {!r} for issue no. {}'
raise ValueError(err.format(keyword, issue_no))
node = Issue(number=issue_no, type_=name, nodelist=nodelist,
backported=keyword == 'backported', major=keyword == 'major',
spec=spec)
return [node], []
else:
return [identifier], []
|
issues_role
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, rawtext, text, lineno, inliner, options={}, content=[]):\n parts = utils.unescape(text).split()\n issue_no = parts.pop(0)\n config = inliner.document.settings.env.app.config\n if issue_no not in ('-', '0'):\n ref = None\n if config.releases_issue_uri:\n ref = config.releases_issue_uri % issue_no\n elif config.releases_github_path:\n ref = 'https://github.com/{}/issues/{}'.format(config.\n releases_github_path, issue_no)\n if ref:\n identifier = nodes.reference(rawtext, '#' + issue_no, refuri=\n ref, **options)\n else:\n identifier = nodes.raw(rawtext=rawtext, text='#' + issue_no,\n format='html', **options)\n else:\n identifier = None\n issue_no = None\n if name in ISSUE_TYPES:\n nodelist = issue_nodelist(name, identifier)\n spec = None\n keyword = None\n for part in parts:\n maybe_spec = scan_for_spec(part)\n if maybe_spec:\n spec = maybe_spec\n elif part in ('backported', 'major'):\n keyword = part\n else:\n err = 'Gave unknown keyword {!r} for issue no. {}'\n raise ValueError(err.format(keyword, issue_no))\n node = Issue(number=issue_no, type_=name, nodelist=nodelist,\n backported=keyword == 'backported', major=keyword == 'major',\n spec=spec)\n return [node], []\n else:\n return [identifier], []\n",
"role": "user"
},
{
"content": "issues_role",
"role": "assistant"
}
] |
def x(name, rawtext, text, lineno, inliner, options={}, content=[]):
match = year_arg_re.match(text)
if not match:
msg = inliner.reporter.error('Must specify release date!')
return [inliner.problematic(rawtext, rawtext, msg)], [msg]
number, date = match.group(1), match.group(2)
config = inliner.document.settings.env.app.config
nodelist = [release_nodes(number, number, date, config)]
node = Release(number=number, date=date, nodelist=nodelist)
return [node], []
|
release_role
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, rawtext, text, lineno, inliner, options={}, content=[]):\n match = year_arg_re.match(text)\n if not match:\n msg = inliner.reporter.error('Must specify release date!')\n return [inliner.problematic(rawtext, rawtext, msg)], [msg]\n number, date = match.group(1), match.group(2)\n config = inliner.document.settings.env.app.config\n nodelist = [release_nodes(number, number, date, config)]\n node = Release(number=number, date=date, nodelist=nodelist)\n return [node], []\n",
"role": "user"
},
{
"content": "release_role",
"role": "assistant"
}
] |
def x(app, manager, releases):
for family, lines in six.iteritems(manager):
for type_ in ('bugfix', 'feature'):
bucket = 'unreleased_{}'.format(type_)
if bucket not in lines:
continue
issues = lines[bucket]
fam_prefix = '{}.x '.format(family) if len(manager) > 1 else ''
header = 'Next {}{} release'.format(fam_prefix, type_)
line = 'unreleased_{}.x_{}'.format(family, type_)
releases.append(generate_unreleased_entry(header, line, issues,
manager, app))
|
append_unreleased_entries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, manager, releases):\n for family, lines in six.iteritems(manager):\n for type_ in ('bugfix', 'feature'):\n bucket = 'unreleased_{}'.format(type_)\n if bucket not in lines:\n continue\n issues = lines[bucket]\n fam_prefix = '{}.x '.format(family) if len(manager) > 1 else ''\n header = 'Next {}{} release'.format(fam_prefix, type_)\n line = 'unreleased_{}.x_{}'.format(family, type_)\n releases.append(generate_unreleased_entry(header, line, issues,\n manager, app))\n",
"role": "user"
},
{
"content": "append_unreleased_entries",
"role": "assistant"
}
] |
def x(releases):
order = {'feature': 0, 'bug': 1, 'support': 2}
for release in releases:
entries = release['entries'][:]
release['entries'] = sorted(entries, key=lambda x: order[x.type])
|
reorder_release_entries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(releases):\n order = {'feature': 0, 'bug': 1, 'support': 2}\n for release in releases:\n entries = release['entries'][:]\n release['entries'] = sorted(entries, key=lambda x: order[x.type])\n",
"role": "user"
},
{
"content": "reorder_release_entries",
"role": "assistant"
}
] |
def x(focus, issues, manager, log, releases, rest):
log('release for line %r' % focus.minor)
explicit = None
if rest[0].children:
explicit = [x.strip() for x in rest[0][0].split(',')]
if explicit:
log('Explicit issues requested: %r' % (explicit,))
missing = [i for i in explicit if i not in issues]
if missing:
raise ValueError("Couldn't find issue(s) #{} in the changelog!"
.format(', '.join(missing)))
entries = []
for i in explicit:
for flattened_issue_item in itertools.chain(issues[i]):
entries.append(flattened_issue_item)
log('entries in this release: %r' % (entries,))
releases.append({'obj': focus, 'entries': entries})
for obj in entries:
if obj.type == 'bug':
if obj.major:
log('Removing #%s from unreleased' % obj.number)
manager[focus.family]['unreleased_feature'].remove(obj)
else:
if obj in manager[focus.family]['unreleased_bugfix']:
log('Removing #%s from unreleased' % obj.number)
manager[focus.family]['unreleased_bugfix'].remove(obj)
if obj in manager[focus.family][focus.minor]:
log('Removing #%s from %s' % (obj.number, focus.minor))
manager[focus.family][focus.minor].remove(obj)
else:
log('Removing #%s from unreleased' % obj.number)
manager[focus.family]['unreleased_feature'].remove(obj)
if obj in manager[focus.family].get(focus.minor, []):
manager[focus.family][focus.minor].remove(obj)
elif manager.unstable_prehistory:
log("in unstable prehistory, dumping 'unreleased'")
releases.append({'obj': focus, 'entries': manager[0]['unreleased'][:]})
manager[0]['unreleased'] = []
if focus.family != 0:
manager[focus.family][focus.minor] = []
elif focus.minor not in manager[focus.family]:
log('not seen prior, making feature release & bugfix bucket')
manager[focus.family][focus.minor] = []
releases.append({'obj': focus, 'entries': manager[focus.family][
'unreleased_feature'][:]})
manager[focus.family]['unreleased_feature'] = []
else:
log('pre-existing, making bugfix release')
entries = manager[focus.family][focus.minor][:]
releases.append({'obj': focus, 'entries': entries})
manager[focus.family][focus.minor] = []
for x in entries:
if x in manager[focus.family]['unreleased_bugfix']:
manager[focus.family]['unreleased_bugfix'].remove(x)
|
construct_entry_with_release
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(focus, issues, manager, log, releases, rest):\n log('release for line %r' % focus.minor)\n explicit = None\n if rest[0].children:\n explicit = [x.strip() for x in rest[0][0].split(',')]\n if explicit:\n log('Explicit issues requested: %r' % (explicit,))\n missing = [i for i in explicit if i not in issues]\n if missing:\n raise ValueError(\"Couldn't find issue(s) #{} in the changelog!\"\n .format(', '.join(missing)))\n entries = []\n for i in explicit:\n for flattened_issue_item in itertools.chain(issues[i]):\n entries.append(flattened_issue_item)\n log('entries in this release: %r' % (entries,))\n releases.append({'obj': focus, 'entries': entries})\n for obj in entries:\n if obj.type == 'bug':\n if obj.major:\n log('Removing #%s from unreleased' % obj.number)\n manager[focus.family]['unreleased_feature'].remove(obj)\n else:\n if obj in manager[focus.family]['unreleased_bugfix']:\n log('Removing #%s from unreleased' % obj.number)\n manager[focus.family]['unreleased_bugfix'].remove(obj)\n if obj in manager[focus.family][focus.minor]:\n log('Removing #%s from %s' % (obj.number, focus.minor))\n manager[focus.family][focus.minor].remove(obj)\n else:\n log('Removing #%s from unreleased' % obj.number)\n manager[focus.family]['unreleased_feature'].remove(obj)\n if obj in manager[focus.family].get(focus.minor, []):\n manager[focus.family][focus.minor].remove(obj)\n elif manager.unstable_prehistory:\n log(\"in unstable prehistory, dumping 'unreleased'\")\n releases.append({'obj': focus, 'entries': manager[0]['unreleased'][:]})\n manager[0]['unreleased'] = []\n if focus.family != 0:\n manager[focus.family][focus.minor] = []\n elif focus.minor not in manager[focus.family]:\n log('not seen prior, making feature release & bugfix bucket')\n manager[focus.family][focus.minor] = []\n releases.append({'obj': focus, 'entries': manager[focus.family][\n 'unreleased_feature'][:]})\n manager[focus.family]['unreleased_feature'] = []\n else:\n log('pre-existing, making bugfix release')\n entries = manager[focus.family][focus.minor][:]\n releases.append({'obj': focus, 'entries': entries})\n manager[focus.family][focus.minor] = []\n for x in entries:\n if x in manager[focus.family]['unreleased_bugfix']:\n manager[focus.family]['unreleased_bugfix'].remove(x)\n",
"role": "user"
},
{
"content": "construct_entry_with_release",
"role": "assistant"
}
] |
def x(entries, manager):
if not entries:
return
first_release = None
for obj in entries:
if isinstance(obj, Release):
first_release = obj
break
if first_release:
manager.add_family(obj.family)
else:
manager.add_family(0)
|
handle_first_release_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entries, manager):\n if not entries:\n return\n first_release = None\n for obj in entries:\n if isinstance(obj, Release):\n first_release = obj\n break\n if first_release:\n manager.add_family(obj.family)\n else:\n manager.add_family(0)\n",
"role": "user"
},
{
"content": "handle_first_release_line",
"role": "assistant"
}
] |
def x(self, manager):
return [key for key, value in six.iteritems(manager) if any(x for x in
value if not x.startswith('unreleased'))]
|
minor_releases
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manager):\n return [key for key, value in six.iteritems(manager) if any(x for x in\n value if not x.startswith('unreleased'))]\n",
"role": "user"
},
{
"content": "minor_releases",
"role": "assistant"
}
] |
def x(self, manager):
specstr = ''
stable_families = manager.stable_families
if manager.config.releases_unstable_prehistory and stable_families:
specstr = '>={}'.format(min(stable_families))
if self.is_featurelike:
if True:
specstr = '>={}'.format(max(manager.keys()))
else:
buckets = self.minor_releases(manager)
if buckets:
specstr = '>={}'.format(max(buckets))
return Spec(specstr) if specstr else Spec()
|
default_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manager):\n specstr = ''\n stable_families = manager.stable_families\n if manager.config.releases_unstable_prehistory and stable_families:\n specstr = '>={}'.format(min(stable_families))\n if self.is_featurelike:\n if True:\n specstr = '>={}'.format(max(manager.keys()))\n else:\n buckets = self.minor_releases(manager)\n if buckets:\n specstr = '>={}'.format(max(buckets))\n return Spec(specstr) if specstr else Spec()\n",
"role": "user"
},
{
"content": "default_spec",
"role": "assistant"
}
] |
def x(self, manager):
spec = self.spec or self.default_spec(manager)
families = [Version(str(x)) for x in manager]
versions = list(spec.filter(families))
for version in versions:
family = version.major
candidates = [Version(x) for x in manager[family] if not x.
startswith('unreleased')]
buckets = []
bugfix_buckets = [str(x) for x in spec.filter(candidates)]
if self.is_buglike:
buckets.extend(bugfix_buckets)
if bugfix_buckets:
buckets.append('unreleased_bugfix')
no_releases = not self.minor_releases(manager)
if self.is_featurelike or self.backported or no_releases:
buckets.append('unreleased_feature')
for bucket in buckets:
manager[family][bucket].append(self)
|
add_to_manager
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manager):\n spec = self.spec or self.default_spec(manager)\n families = [Version(str(x)) for x in manager]\n versions = list(spec.filter(families))\n for version in versions:\n family = version.major\n candidates = [Version(x) for x in manager[family] if not x.\n startswith('unreleased')]\n buckets = []\n bugfix_buckets = [str(x) for x in spec.filter(candidates)]\n if self.is_buglike:\n buckets.extend(bugfix_buckets)\n if bugfix_buckets:\n buckets.append('unreleased_bugfix')\n no_releases = not self.minor_releases(manager)\n if self.is_featurelike or self.backported or no_releases:\n buckets.append('unreleased_feature')\n for bucket in buckets:\n manager[family][bucket].append(self)\n",
"role": "user"
},
{
"content": "add_to_manager",
"role": "assistant"
}
] |
def x(self, source, errors='strict', clean_paragraphs=True):
reader = Rtf15Reader(source, errors, clean_paragraphs)
return reader.go()
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, errors='strict', clean_paragraphs=True):\n reader = Rtf15Reader(source, errors, clean_paragraphs)\n return reader.go()\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self):
runs = self.block.content
if not runs:
self.block = None
return
if not self.clean_paragraphs:
return
joinedRuns = []
hasContent = False
for run in runs:
if run.content[0]:
hasContent = True
else:
continue
if not run.content[0].strip():
run.properties = {}
if joinedRuns and run.properties == joinedRuns[-1].properties:
joinedRuns[-1].content[0] += run.content[0]
else:
joinedRuns.append(run)
if hasContent:
joinedRuns[0].content[0] = joinedRuns[0].content[0].lstrip()
joinedRuns[-1].content[0] = joinedRuns[-1].content[0].rstrip()
self.block.content = joinedRuns
else:
self.block = None
|
cleanParagraph
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n runs = self.block.content\n if not runs:\n self.block = None\n return\n if not self.clean_paragraphs:\n return\n joinedRuns = []\n hasContent = False\n for run in runs:\n if run.content[0]:\n hasContent = True\n else:\n continue\n if not run.content[0].strip():\n run.properties = {}\n if joinedRuns and run.properties == joinedRuns[-1].properties:\n joinedRuns[-1].content[0] += run.content[0]\n else:\n joinedRuns.append(run)\n if hasContent:\n joinedRuns[0].content[0] = joinedRuns[0].content[0].lstrip()\n joinedRuns[-1].content[0] = joinedRuns[-1].content[0].rstrip()\n self.block.content = joinedRuns\n else:\n self.block = None\n",
"role": "user"
},
{
"content": "cleanParagraph",
"role": "assistant"
}
] |
def x(self, css):
rulesets = self.ruleset_re.findall(css)
for selector, declarations in rulesets:
rule = Rule(self.parse_selector(selector))
rule.properties = self.parse_declarations(declarations)
self.rules.append(rule)
|
parse_css
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, css):\n rulesets = self.ruleset_re.findall(css)\n for selector, declarations in rulesets:\n rule = Rule(self.parse_selector(selector))\n rule.properties = self.parse_declarations(declarations)\n self.rules.append(rule)\n",
"role": "user"
},
{
"content": "parse_css",
"role": "assistant"
}
] |
def x(self, declarations):
declarations = self.declaration_re.findall(declarations)
return dict(declarations)
|
parse_declarations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, declarations):\n declarations = self.declaration_re.findall(declarations)\n return dict(declarations)\n",
"role": "user"
},
{
"content": "parse_declarations",
"role": "assistant"
}
] |
def x(self, selector):
tag, klass = self.selector_re.match(selector).groups()
return Selector(tag, klass)
|
parse_selector
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selector):\n tag, klass = self.selector_re.match(selector).groups()\n return Selector(tag, klass)\n",
"role": "user"
},
{
"content": "parse_selector",
"role": "assistant"
}
] |
def x(self, node):
ret = {}
for rule in self.rules:
if rule.selector(node):
ret.update(rule.properties)
for style_node in node.findParents(attrs={'style': True}):
style = style_node.get('style')
properties = self.parse_declarations(style)
ret.update(properties)
return ret
|
get_properties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n ret = {}\n for rule in self.rules:\n if rule.selector(node):\n ret.update(rule.properties)\n for style_node in node.findParents(attrs={'style': True}):\n style = style_node.get('style')\n properties = self.parse_declarations(style)\n ret.update(properties)\n return ret\n",
"role": "user"
},
{
"content": "get_properties",
"role": "assistant"
}
] |
def x(name):
topLevel = __import__(name)
packages = name.split('.')[1:]
m = topLevel
for p in packages:
m = getattr(m, p)
return m
|
namedModule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n topLevel = __import__(name)\n packages = name.split('.')[1:]\n m = topLevel\n for p in packages:\n m = getattr(m, p)\n return m\n",
"role": "user"
},
{
"content": "namedModule",
"role": "assistant"
}
] |
def x(name):
classSplit = name.split('.')
module = namedModule('.'.join(classSplit[:-1]))
return getattr(module, classSplit[-1])
|
namedObject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n classSplit = name.split('.')\n module = namedModule('.'.join(classSplit[:-1]))\n return getattr(module, classSplit[-1])\n",
"role": "user"
},
{
"content": "namedObject",
"role": "assistant"
}
] |
def x(self, paragraph, prefix=''):
content = []
for text in paragraph.content:
content.append(self.text(text))
content = u''.join(content).encode('utf-8')
for line in content.split('\n'):
self.target.write(' ' * self.indent)
self.target.write(prefix)
self.target.write(line)
self.target.write('\n')
if prefix:
prefix = ' '
if any('url' in text.properties for text in paragraph.content):
self.target.write('\n')
for text in paragraph.content:
if 'url' in text.properties:
string = u''.join(text.content)
url = text.properties['url']
self.target.write('.. _%s: %s\n' % (string, url))
|
paragraph
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paragraph, prefix=''):\n content = []\n for text in paragraph.content:\n content.append(self.text(text))\n content = u''.join(content).encode('utf-8')\n for line in content.split('\\n'):\n self.target.write(' ' * self.indent)\n self.target.write(prefix)\n self.target.write(line)\n self.target.write('\\n')\n if prefix:\n prefix = ' '\n if any('url' in text.properties for text in paragraph.content):\n self.target.write('\\n')\n for text in paragraph.content:\n if 'url' in text.properties:\n string = u''.join(text.content)\n url = text.properties['url']\n self.target.write('.. _%s: %s\\n' % (string, url))\n",
"role": "user"
},
{
"content": "paragraph",
"role": "assistant"
}
] |
def x(self, list, prefix=None):
self.indent += 1
for i, entry in enumerate(list.content):
for j, paragraph in enumerate(entry.content):
prefix = '- ' if j == 0 else ' '
handler = self.paragraphDispatch[paragraph.__class__]
handler(paragraph, prefix)
self.target.write('\n')
self.indent -= 1
|
list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, list, prefix=None):\n self.indent += 1\n for i, entry in enumerate(list.content):\n for j, paragraph in enumerate(entry.content):\n prefix = '- ' if j == 0 else ' '\n handler = self.paragraphDispatch[paragraph.__class__]\n handler(paragraph, prefix)\n self.target.write('\\n')\n self.indent -= 1\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, soup):
for node in soup.findAll(text=True):
if node.rstrip(' ').endswith('\n'):
node.replaceWith(node.rstrip(' ').rstrip('\n'))
for tag in ['p', 'li']:
for node in soup.findAll(tag):
text = unicode(node)
lines = [x.strip() for x in text.splitlines()]
text = ' '.join(lines)
node.replaceWith(BeautifulSoup.BeautifulSoup(text))
soup = BeautifulSoup.BeautifulSoup(unicode(soup))
for node in soup.findAll('br'):
node.replaceWith('\n')
soup = BeautifulSoup.BeautifulSoup(unicode(soup))
return soup
|
format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, soup):\n for node in soup.findAll(text=True):\n if node.rstrip(' ').endswith('\\n'):\n node.replaceWith(node.rstrip(' ').rstrip('\\n'))\n for tag in ['p', 'li']:\n for node in soup.findAll(tag):\n text = unicode(node)\n lines = [x.strip() for x in text.splitlines()]\n text = ' '.join(lines)\n node.replaceWith(BeautifulSoup.BeautifulSoup(text))\n soup = BeautifulSoup.BeautifulSoup(unicode(soup))\n for node in soup.findAll('br'):\n node.replaceWith('\\n')\n soup = BeautifulSoup.BeautifulSoup(unicode(soup))\n return soup\n",
"role": "user"
},
{
"content": "format",
"role": "assistant"
}
] |
def x(self, node):
a_node = node.findParent('a')
if not a_node:
return None
if self.link_callback is None:
return a_node.get('href')
else:
return self.link_callback(a_node.get('href'))
|
url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n a_node = node.findParent('a')\n if not a_node:\n return None\n if self.link_callback is None:\n return a_node.get('href')\n else:\n return self.link_callback(a_node.get('href'))\n",
"role": "user"
},
{
"content": "url",
"role": "assistant"
}
] |
def x(self, node):
text = node.string.strip()
if not text:
return
properties = dict()
if self.is_bold(node):
properties['bold'] = True
if self.is_italic(node):
properties['italic'] = True
if self.url(node):
properties['url'] = self.url(node)
if self.is_sub(node):
properties['sub'] = True
if self.is_super(node):
properties['super'] = True
content = [node.string]
return document.Text(properties, content)
|
process_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n text = node.string.strip()\n if not text:\n return\n properties = dict()\n if self.is_bold(node):\n properties['bold'] = True\n if self.is_italic(node):\n properties['italic'] = True\n if self.url(node):\n properties['url'] = self.url(node)\n if self.is_sub(node):\n properties['sub'] = True\n if self.is_super(node):\n properties['super'] = True\n content = [node.string]\n return document.Text(properties, content)\n",
"role": "user"
},
{
"content": "process_text",
"role": "assistant"
}
] |
def x(self, node, obj):
if isinstance(node, BeautifulSoup.NavigableString):
text = self.process_text(node)
if text:
obj.append(text)
return
if node.name == 'p':
new_obj = document.Paragraph()
obj.append(new_obj)
obj = new_obj
elif node.name == 'ul':
new_obj = document.List()
obj.append(new_obj)
obj = new_obj
elif node.name == 'li':
new_obj = document.ListEntry()
obj.append(new_obj)
obj = new_obj
for child in node:
self.process_into(child, obj)
|
process_into
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, obj):\n if isinstance(node, BeautifulSoup.NavigableString):\n text = self.process_text(node)\n if text:\n obj.append(text)\n return\n if node.name == 'p':\n new_obj = document.Paragraph()\n obj.append(new_obj)\n obj = new_obj\n elif node.name == 'ul':\n new_obj = document.List()\n obj.append(new_obj)\n obj = new_obj\n elif node.name == 'li':\n new_obj = document.ListEntry()\n obj.append(new_obj)\n obj = new_obj\n for child in node:\n self.process_into(child, obj)\n",
"role": "user"
},
{
"content": "process_into",
"role": "assistant"
}
] |
def x(self, item):
okay = True
if not isinstance(item, self.contentType):
if hasattr(self.contentType, 'contentType'):
try:
item = self.contentType(content=[item])
except TypeError:
okay = False
else:
okay = False
if not okay:
raise TypeError('Wrong content type for %s: %s (%s)' % (self.
__class__.__name__, repr(type(item)), repr(item)))
self.content.append(item)
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n okay = True\n if not isinstance(item, self.contentType):\n if hasattr(self.contentType, 'contentType'):\n try:\n item = self.contentType(content=[item])\n except TypeError:\n okay = False\n else:\n okay = False\n if not okay:\n raise TypeError('Wrong content type for %s: %s (%s)' % (self.\n __class__.__name__, repr(type(item)), repr(item)))\n self.content.append(item)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x():
class MagicGetItem(type):
def x(mcs, name, bases, dict):
klass = type.__new__(mcs, name, bases, dict)
mcs.__getitem__ = lambda _, k: klass()[k]
return klass
return MagicGetItem
|
MetaPythonBase
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n\n class MagicGetItem(type):\n\n def x(mcs, name, bases, dict):\n klass = type.__new__(mcs, name, bases, dict)\n mcs.__getitem__ = lambda _, k: klass()[k]\n return klass\n return MagicGetItem\n",
"role": "user"
},
{
"content": "MetaPythonBase",
"role": "assistant"
}
] |
def x(klass, document, target=None, stylesheet=''):
writer = LatexWriter(document, target, stylesheet)
return writer.go()
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(klass, document, target=None, stylesheet=''):\n writer = LatexWriter(document, target, stylesheet)\n return writer.go()\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self):
latex_fragment = (
"""
\\usepackage[colorlinks=true,linkcolor=blue,urlcolor=blue]{hyperref}
\\hypersetup{
pdftitle={%s},
pdfauthor={%s},
pdfsubject={%s}
}
"""
% (self.document.properties.get('title'), self.document.properties
.get('author'), self.document.properties.get('subject')))
return latex_fragment + self.stylesheet
|
full_stylesheet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n latex_fragment = (\n \"\"\"\n \\\\usepackage[colorlinks=true,linkcolor=blue,urlcolor=blue]{hyperref}\n \\\\hypersetup{\n pdftitle={%s},\n pdfauthor={%s},\n pdfsubject={%s}\n }\n \"\"\"\n % (self.document.properties.get('title'), self.document.properties\n .get('author'), self.document.properties.get('subject')))\n return latex_fragment + self.stylesheet\n",
"role": "user"
},
{
"content": "full_stylesheet",
"role": "assistant"
}
] |
def x(self, session_id, stream_id=None):
url = (self.api_url + '/v2/project/' + self.api_key + '/session/' +
session_id + '/stream')
if stream_id:
url = url + '/' + stream_id
return url
|
get_stream_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, stream_id=None):\n url = (self.api_url + '/v2/project/' + self.api_key + '/session/' +\n session_id + '/stream')\n if stream_id:\n url = url + '/' + stream_id\n return url\n",
"role": "user"
},
{
"content": "get_stream_url",
"role": "assistant"
}
] |
def x(self, session_id, connection_id):
url = (self.api_url + '/v2/project/' + self.api_key + '/session/' +
session_id + '/connection/' + connection_id)
return url
|
force_disconnect_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, connection_id):\n url = (self.api_url + '/v2/project/' + self.api_key + '/session/' +\n session_id + '/connection/' + connection_id)\n return url\n",
"role": "user"
},
{
"content": "force_disconnect_url",
"role": "assistant"
}
] |
def x(self, archive_id):
url = (self.api_url + '/v2/project/' + self.api_key + '/archive/' +
archive_id + '/layout')
return url
|
set_archive_layout_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_id):\n url = (self.api_url + '/v2/project/' + self.api_key + '/archive/' +\n archive_id + '/layout')\n return url\n",
"role": "user"
},
{
"content": "set_archive_layout_url",
"role": "assistant"
}
] |
def x(self, session_id):
url = (self.api_url + '/v2/project/' + self.api_key + '/session/' +
session_id + '/stream')
return url
|
set_stream_class_lists_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id):\n url = (self.api_url + '/v2/project/' + self.api_key + '/session/' +\n session_id + '/stream')\n return url\n",
"role": "user"
},
{
"content": "set_stream_class_lists_url",
"role": "assistant"
}
] |
def x(self, broadcast_id=None, stop=False, layout=False):
url = self.api_url + '/v2/project/' + self.api_key + '/broadcast'
if broadcast_id:
url = url + '/' + broadcast_id
if stop:
url = url + '/stop'
if layout:
url = url + '/layout'
return url
|
broadcast_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, broadcast_id=None, stop=False, layout=False):\n url = self.api_url + '/v2/project/' + self.api_key + '/broadcast'\n if broadcast_id:\n url = url + '/' + broadcast_id\n if stop:\n url = url + '/stop'\n if layout:\n url = url + '/layout'\n return url\n",
"role": "user"
},
{
"content": "broadcast_url",
"role": "assistant"
}
] |
def x(self):
temp_archive = self.sdk.stop_archive(self.id)
for k, v in iteritems(temp_archive.attrs()):
setattr(self, k, v)
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n temp_archive = self.sdk.stop_archive(self.id)\n for k, v in iteritems(temp_archive.attrs()):\n setattr(self, k, v)\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self):
return dict((k, v) for k, v in iteritems(self.__dict__) if k is not 'sdk')
|
attrs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return dict((k, v) for k, v in iteritems(self.__dict__) if k is not 'sdk')\n",
"role": "user"
},
{
"content": "attrs",
"role": "assistant"
}
] |
def x(self, session_id, role=Roles.publisher, expire_time=None, data=None,
initial_layout_class_list=[]):
if expire_time is not None:
if isinstance(expire_time, datetime):
expire_time = calendar.timegm(expire_time.utctimetuple())
else:
try:
expire_time = int(expire_time)
except (ValueError, TypeError):
raise OpenTokException(u(
'Cannot generate token, invalid expire time {0}').
format(expire_time))
else:
expire_time = int(time.time()) + 60 * 60 * 24
if not text_type(session_id):
raise OpenTokException(u(
'Cannot generate token, session_id was not valid {0}').format(
session_id))
if not isinstance(role, Roles):
raise OpenTokException(u(
'Cannot generate token, {0} is not a valid role').format(role))
now = int(time.time())
if expire_time < now:
raise OpenTokException(u(
'Cannot generate token, expire_time is not in the future {0}').
format(expire_time))
if expire_time > now + 60 * 60 * 24 * 30:
raise OpenTokException(u(
'Cannot generate token, expire_time is not in the next 30 days {0}'
).format(expire_time))
if data and len(data) > 1000:
raise OpenTokException(u(
'Cannot generate token, data must be less than 1000 characters'))
if initial_layout_class_list and not all(text_type(c) for c in
initial_layout_class_list):
raise OpenTokException(u(
'Cannot generate token, all items in initial_layout_class_list must be strings'
))
initial_layout_class_list_serialized = u(' ').join(
initial_layout_class_list)
if len(initial_layout_class_list_serialized) > 1000:
raise OpenTokException(u(
'Cannot generate token, initial_layout_class_list must be less than 1000 characters'
))
sub_session_id = session_id[2:]
sub_session_id_bytes = sub_session_id.encode('utf-8')
sub_session_id_bytes_padded = sub_session_id_bytes + b('=') * (-len(
sub_session_id_bytes) % 4)
try:
decoded_session_id = base64.b64decode(sub_session_id_bytes_padded,
b('-_'))
parts = decoded_session_id.decode('utf-8').split(u('~'))
except Exception as e:
raise OpenTokException(u(
'Cannot generate token, the session_id {0} was not valid').
format(session_id))
if self.api_key not in parts:
raise OpenTokException(u(
'Cannot generate token, the session_id {0} does not belong to the api_key {1}'
).format(session_id, self.api_key))
data_params = dict(session_id=session_id, create_time=now, expire_time=
expire_time, role=role.value, nonce=random.randint(0, 999999),
initial_layout_class_list=initial_layout_class_list_serialized)
if data:
data_params['connection_data'] = data
data_string = urlencode(data_params, True)
sig = self._sign_string(data_string, self.api_secret)
decoded_base64_bytes = u('partner_id={api_key}&sig={sig}:{payload}'
).format(api_key=self.api_key, sig=sig, payload=data_string)
if PY3:
decoded_base64_bytes = decoded_base64_bytes.encode('utf-8')
token = u('{sentinal}{base64_data}').format(sentinal=self.
TOKEN_SENTINEL, base64_data=base64.b64encode(decoded_base64_bytes).
decode())
return token
|
generate_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, role=Roles.publisher, expire_time=None, data=None,\n initial_layout_class_list=[]):\n if expire_time is not None:\n if isinstance(expire_time, datetime):\n expire_time = calendar.timegm(expire_time.utctimetuple())\n else:\n try:\n expire_time = int(expire_time)\n except (ValueError, TypeError):\n raise OpenTokException(u(\n 'Cannot generate token, invalid expire time {0}').\n format(expire_time))\n else:\n expire_time = int(time.time()) + 60 * 60 * 24\n if not text_type(session_id):\n raise OpenTokException(u(\n 'Cannot generate token, session_id was not valid {0}').format(\n session_id))\n if not isinstance(role, Roles):\n raise OpenTokException(u(\n 'Cannot generate token, {0} is not a valid role').format(role))\n now = int(time.time())\n if expire_time < now:\n raise OpenTokException(u(\n 'Cannot generate token, expire_time is not in the future {0}').\n format(expire_time))\n if expire_time > now + 60 * 60 * 24 * 30:\n raise OpenTokException(u(\n 'Cannot generate token, expire_time is not in the next 30 days {0}'\n ).format(expire_time))\n if data and len(data) > 1000:\n raise OpenTokException(u(\n 'Cannot generate token, data must be less than 1000 characters'))\n if initial_layout_class_list and not all(text_type(c) for c in\n initial_layout_class_list):\n raise OpenTokException(u(\n 'Cannot generate token, all items in initial_layout_class_list must be strings'\n ))\n initial_layout_class_list_serialized = u(' ').join(\n initial_layout_class_list)\n if len(initial_layout_class_list_serialized) > 1000:\n raise OpenTokException(u(\n 'Cannot generate token, initial_layout_class_list must be less than 1000 characters'\n ))\n sub_session_id = session_id[2:]\n sub_session_id_bytes = sub_session_id.encode('utf-8')\n sub_session_id_bytes_padded = sub_session_id_bytes + b('=') * (-len(\n sub_session_id_bytes) % 4)\n try:\n decoded_session_id = base64.b64decode(sub_session_id_bytes_padded,\n b('-_'))\n parts = decoded_session_id.decode('utf-8').split(u('~'))\n except Exception as e:\n raise OpenTokException(u(\n 'Cannot generate token, the session_id {0} was not valid').\n format(session_id))\n if self.api_key not in parts:\n raise OpenTokException(u(\n 'Cannot generate token, the session_id {0} does not belong to the api_key {1}'\n ).format(session_id, self.api_key))\n data_params = dict(session_id=session_id, create_time=now, expire_time=\n expire_time, role=role.value, nonce=random.randint(0, 999999),\n initial_layout_class_list=initial_layout_class_list_serialized)\n if data:\n data_params['connection_data'] = data\n data_string = urlencode(data_params, True)\n sig = self._sign_string(data_string, self.api_secret)\n decoded_base64_bytes = u('partner_id={api_key}&sig={sig}:{payload}'\n ).format(api_key=self.api_key, sig=sig, payload=data_string)\n if PY3:\n decoded_base64_bytes = decoded_base64_bytes.encode('utf-8')\n token = u('{sentinal}{base64_data}').format(sentinal=self.\n TOKEN_SENTINEL, base64_data=base64.b64encode(decoded_base64_bytes).\n decode())\n return token\n",
"role": "user"
},
{
"content": "generate_token",
"role": "assistant"
}
] |
def x(self, location=None, media_mode=MediaModes.relayed, archive_mode=
ArchiveModes.manual):
options = {}
if not isinstance(media_mode, MediaModes):
raise OpenTokException(u(
'Cannot create session, {0} is not a valid media mode').format(
media_mode))
if not isinstance(archive_mode, ArchiveModes):
raise OpenTokException(u(
'Cannot create session, {0} is not a valid archive mode').
format(archive_mode))
if archive_mode == ArchiveModes.always and media_mode != MediaModes.routed:
raise OpenTokException(u(
'A session with always archive mode must also have the routed media mode.'
))
options[u('p2p.preference')] = media_mode.value
options[u('archiveMode')] = archive_mode.value
if location:
try:
inet_aton(location)
except:
raise OpenTokException(u(
'Cannot create session. Location must be either None or a valid IPv4 address {0}'
).format(location))
options[u('location')] = location
try:
response = requests.post(self.endpoints.session_url(), data=options,
headers=self.headers(), proxies=self.proxies, timeout=self.timeout)
response.encoding = 'utf-8'
if response.status_code == 403:
raise AuthError('Failed to create session, invalid credentials')
if not response.content:
raise RequestError()
dom = xmldom.parseString(response.content)
except Exception as e:
raise RequestError('Failed to create session: %s' % str(e))
try:
error = dom.getElementsByTagName('error')
if error:
error = error[0]
raise AuthError('Failed to create session (code=%s): %s' % (
error.attributes['code'].value, error.firstChild.attributes
['message'].value))
session_id = dom.getElementsByTagName('session_id')[0].childNodes[0
].nodeValue
return Session(self, session_id, location=location, media_mode=
media_mode, archive_mode=archive_mode)
except Exception as e:
raise OpenTokException('Failed to generate session: %s' % str(e))
|
create_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location=None, media_mode=MediaModes.relayed, archive_mode=\n ArchiveModes.manual):\n options = {}\n if not isinstance(media_mode, MediaModes):\n raise OpenTokException(u(\n 'Cannot create session, {0} is not a valid media mode').format(\n media_mode))\n if not isinstance(archive_mode, ArchiveModes):\n raise OpenTokException(u(\n 'Cannot create session, {0} is not a valid archive mode').\n format(archive_mode))\n if archive_mode == ArchiveModes.always and media_mode != MediaModes.routed:\n raise OpenTokException(u(\n 'A session with always archive mode must also have the routed media mode.'\n ))\n options[u('p2p.preference')] = media_mode.value\n options[u('archiveMode')] = archive_mode.value\n if location:\n try:\n inet_aton(location)\n except:\n raise OpenTokException(u(\n 'Cannot create session. Location must be either None or a valid IPv4 address {0}'\n ).format(location))\n options[u('location')] = location\n try:\n response = requests.post(self.endpoints.session_url(), data=options,\n headers=self.headers(), proxies=self.proxies, timeout=self.timeout)\n response.encoding = 'utf-8'\n if response.status_code == 403:\n raise AuthError('Failed to create session, invalid credentials')\n if not response.content:\n raise RequestError()\n dom = xmldom.parseString(response.content)\n except Exception as e:\n raise RequestError('Failed to create session: %s' % str(e))\n try:\n error = dom.getElementsByTagName('error')\n if error:\n error = error[0]\n raise AuthError('Failed to create session (code=%s): %s' % (\n error.attributes['code'].value, error.firstChild.attributes\n ['message'].value))\n session_id = dom.getElementsByTagName('session_id')[0].childNodes[0\n ].nodeValue\n return Session(self, session_id, location=location, media_mode=\n media_mode, archive_mode=archive_mode)\n except Exception as e:\n raise OpenTokException('Failed to generate session: %s' % str(e))\n",
"role": "user"
},
{
"content": "create_session",
"role": "assistant"
}
] |
def x(self, session_id, has_audio=True, has_video=True, name=None,
output_mode=OutputModes.composed, resolution=None):
if not isinstance(output_mode, OutputModes):
raise OpenTokException(u(
'Cannot start archive, {0} is not a valid output mode').format(
output_mode))
if resolution and output_mode == OutputModes.individual:
raise OpenTokException(u(
'Invalid parameters: Resolution cannot be supplied for individual output mode.'
))
payload = {'name': name, 'sessionId': session_id, 'hasAudio': has_audio,
'hasVideo': has_video, 'outputMode': output_mode.value,
'resolution': resolution}
response = requests.post(self.endpoints.archive_url(), data=json.dumps(
payload), headers=self.json_headers(), proxies=self.proxies,
timeout=self.timeout)
if response.status_code < 300:
return Archive(self, response.json())
elif response.status_code == 403:
raise AuthError()
elif response.status_code == 400:
"""
The HTTP response has a 400 status code in the following cases:
You do not pass in a session ID or you pass in an invalid session ID.
No clients are actively connected to the OpenTok session.
You specify an invalid resolution value.
The outputMode property is set to "individual" and you set the resolution property and (which is not supported in individual stream archives).
"""
raise RequestError(response.json().get('message'))
elif response.status_code == 404:
raise NotFoundError('Session not found')
elif response.status_code == 409:
raise ArchiveError(response.json().get('message'))
else:
raise RequestError('An unexpected error occurred', response.status_code
)
|
start_archive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, has_audio=True, has_video=True, name=None,\n output_mode=OutputModes.composed, resolution=None):\n if not isinstance(output_mode, OutputModes):\n raise OpenTokException(u(\n 'Cannot start archive, {0} is not a valid output mode').format(\n output_mode))\n if resolution and output_mode == OutputModes.individual:\n raise OpenTokException(u(\n 'Invalid parameters: Resolution cannot be supplied for individual output mode.'\n ))\n payload = {'name': name, 'sessionId': session_id, 'hasAudio': has_audio,\n 'hasVideo': has_video, 'outputMode': output_mode.value,\n 'resolution': resolution}\n response = requests.post(self.endpoints.archive_url(), data=json.dumps(\n payload), headers=self.json_headers(), proxies=self.proxies,\n timeout=self.timeout)\n if response.status_code < 300:\n return Archive(self, response.json())\n elif response.status_code == 403:\n raise AuthError()\n elif response.status_code == 400:\n \"\"\"\n The HTTP response has a 400 status code in the following cases:\n You do not pass in a session ID or you pass in an invalid session ID.\n No clients are actively connected to the OpenTok session.\n You specify an invalid resolution value.\n The outputMode property is set to \"individual\" and you set the resolution property and (which is not supported in individual stream archives).\n \"\"\"\n raise RequestError(response.json().get('message'))\n elif response.status_code == 404:\n raise NotFoundError('Session not found')\n elif response.status_code == 409:\n raise ArchiveError(response.json().get('message'))\n else:\n raise RequestError('An unexpected error occurred', response.status_code\n )\n",
"role": "user"
},
{
"content": "start_archive",
"role": "assistant"
}
] |
def x(self, archive_id):
response = requests.post(self.endpoints.archive_url(archive_id) +
'/stop', headers=self.json_headers(), proxies=self.proxies, timeout
=self.timeout)
if response.status_code < 300:
return Archive(self, response.json())
elif response.status_code == 403:
raise AuthError()
elif response.status_code == 404:
raise NotFoundError('Archive not found')
elif response.status_code == 409:
raise ArchiveError('Archive is not in started state')
else:
raise RequestError('An unexpected error occurred', response.status_code
)
|
stop_archive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_id):\n response = requests.post(self.endpoints.archive_url(archive_id) +\n '/stop', headers=self.json_headers(), proxies=self.proxies, timeout\n =self.timeout)\n if response.status_code < 300:\n return Archive(self, response.json())\n elif response.status_code == 403:\n raise AuthError()\n elif response.status_code == 404:\n raise NotFoundError('Archive not found')\n elif response.status_code == 409:\n raise ArchiveError('Archive is not in started state')\n else:\n raise RequestError('An unexpected error occurred', response.status_code\n )\n",
"role": "user"
},
{
"content": "stop_archive",
"role": "assistant"
}
] |
def x(self, archive_id):
response = requests.delete(self.endpoints.archive_url(archive_id),
headers=self.json_headers(), proxies=self.proxies, timeout=self.timeout
)
if response.status_code < 300:
pass
elif response.status_code == 403:
raise AuthError()
elif response.status_code == 404:
raise NotFoundError('Archive not found')
else:
raise RequestError('An unexpected error occurred', response.status_code
)
|
delete_archive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_id):\n response = requests.delete(self.endpoints.archive_url(archive_id),\n headers=self.json_headers(), proxies=self.proxies, timeout=self.timeout\n )\n if response.status_code < 300:\n pass\n elif response.status_code == 403:\n raise AuthError()\n elif response.status_code == 404:\n raise NotFoundError('Archive not found')\n else:\n raise RequestError('An unexpected error occurred', response.status_code\n )\n",
"role": "user"
},
{
"content": "delete_archive",
"role": "assistant"
}
] |
def x(self, archive_id):
response = requests.get(self.endpoints.archive_url(archive_id), headers
=self.json_headers(), proxies=self.proxies, timeout=self.timeout)
if response.status_code < 300:
return Archive(self, response.json())
elif response.status_code == 403:
raise AuthError()
elif response.status_code == 404:
raise NotFoundError('Archive not found')
else:
raise RequestError('An unexpected error occurred', response.status_code
)
|
get_archive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_id):\n response = requests.get(self.endpoints.archive_url(archive_id), headers\n =self.json_headers(), proxies=self.proxies, timeout=self.timeout)\n if response.status_code < 300:\n return Archive(self, response.json())\n elif response.status_code == 403:\n raise AuthError()\n elif response.status_code == 404:\n raise NotFoundError('Archive not found')\n else:\n raise RequestError('An unexpected error occurred', response.status_code\n )\n",
"role": "user"
},
{
"content": "get_archive",
"role": "assistant"
}
] |
def x(self, offset=None, count=None, session_id=None):
params = {}
if offset is not None:
params['offset'] = offset
if count is not None:
params['count'] = count
if session_id is not None:
params['sessionId'] = session_id
endpoint = self.endpoints.archive_url() + '?' + urlencode(params)
response = requests.get(endpoint, headers=self.json_headers(), proxies=
self.proxies, timeout=self.timeout)
if response.status_code < 300:
return ArchiveList(self, response.json())
elif response.status_code == 403:
raise AuthError()
elif response.status_code == 404:
raise NotFoundError('Archive not found')
else:
raise RequestError('An unexpected error occurred', response.status_code
)
|
get_archives
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=None, count=None, session_id=None):\n params = {}\n if offset is not None:\n params['offset'] = offset\n if count is not None:\n params['count'] = count\n if session_id is not None:\n params['sessionId'] = session_id\n endpoint = self.endpoints.archive_url() + '?' + urlencode(params)\n response = requests.get(endpoint, headers=self.json_headers(), proxies=\n self.proxies, timeout=self.timeout)\n if response.status_code < 300:\n return ArchiveList(self, response.json())\n elif response.status_code == 403:\n raise AuthError()\n elif response.status_code == 404:\n raise NotFoundError('Archive not found')\n else:\n raise RequestError('An unexpected error occurred', response.status_code\n )\n",
"role": "user"
},
{
"content": "get_archives",
"role": "assistant"
}
] |
def x(self, offset=None, count=None, session_id=None):
return self.get_archives(offset, count, session_id)
|
list_archives
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=None, count=None, session_id=None):\n return self.get_archives(offset, count, session_id)\n",
"role": "user"
},
{
"content": "list_archives",
"role": "assistant"
}
] |
def x(self, session_id, payload, connection_id=None):
response = requests.post(self.endpoints.signaling_url(session_id,
connection_id), data=json.dumps(payload), headers=self.json_headers
(), proxies=self.proxies, timeout=self.timeout)
if response.status_code == 204:
pass
elif response.status_code == 400:
raise SignalingError(
'One of the signal properties - data, type, sessionId or connectionId - is invalid.'
)
elif response.status_code == 403:
raise AuthError(
'You are not authorized to send the signal. Check your authentication credentials.'
)
elif response.status_code == 404:
raise SignalingError(
'The client specified by the connectionId property is not connected to the session.'
)
elif response.status_code == 413:
raise SignalingError(
'The type string exceeds the maximum length (128 bytes), or the data string exceeds the maximum size (8 kB).'
)
else:
raise RequestError('An unexpected error occurred', response.status_code
)
|
signal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, payload, connection_id=None):\n response = requests.post(self.endpoints.signaling_url(session_id,\n connection_id), data=json.dumps(payload), headers=self.json_headers\n (), proxies=self.proxies, timeout=self.timeout)\n if response.status_code == 204:\n pass\n elif response.status_code == 400:\n raise SignalingError(\n 'One of the signal properties - data, type, sessionId or connectionId - is invalid.'\n )\n elif response.status_code == 403:\n raise AuthError(\n 'You are not authorized to send the signal. Check your authentication credentials.'\n )\n elif response.status_code == 404:\n raise SignalingError(\n 'The client specified by the connectionId property is not connected to the session.'\n )\n elif response.status_code == 413:\n raise SignalingError(\n 'The type string exceeds the maximum length (128 bytes), or the data string exceeds the maximum size (8 kB).'\n )\n else:\n raise RequestError('An unexpected error occurred', response.status_code\n )\n",
"role": "user"
},
{
"content": "signal",
"role": "assistant"
}
] |
def x(self, session_id, stream_id):
endpoint = self.endpoints.get_stream_url(session_id, stream_id)
response = requests.get(endpoint, headers=self.json_headers(), proxies=
self.proxies, timeout=self.timeout)
if response.status_code == 200:
return Stream(response.json())
elif response.status_code == 400:
raise GetStreamError(
'Invalid request. This response may indicate that data in your request data is invalid JSON. Or it may indicate that you do not pass in a session ID or you passed in an invalid stream ID.'
)
elif response.status_code == 403:
raise AuthError(
'You passed in an invalid OpenTok API key or JWT token.')
elif response.status_code == 408:
raise GetStreamError('You passed in an invalid stream ID.')
else:
raise RequestError('An unexpected error occurred', response.status_code
)
|
get_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, stream_id):\n endpoint = self.endpoints.get_stream_url(session_id, stream_id)\n response = requests.get(endpoint, headers=self.json_headers(), proxies=\n self.proxies, timeout=self.timeout)\n if response.status_code == 200:\n return Stream(response.json())\n elif response.status_code == 400:\n raise GetStreamError(\n 'Invalid request. This response may indicate that data in your request data is invalid JSON. Or it may indicate that you do not pass in a session ID or you passed in an invalid stream ID.'\n )\n elif response.status_code == 403:\n raise AuthError(\n 'You passed in an invalid OpenTok API key or JWT token.')\n elif response.status_code == 408:\n raise GetStreamError('You passed in an invalid stream ID.')\n else:\n raise RequestError('An unexpected error occurred', response.status_code\n )\n",
"role": "user"
},
{
"content": "get_stream",
"role": "assistant"
}
] |
def x(self, session_id):
endpoint = self.endpoints.get_stream_url(session_id)
response = requests.get(endpoint, headers=self.json_headers(), proxies=
self.proxies, timeout=self.timeout)
if response.status_code == 200:
return StreamList(response.json())
elif response.status_code == 400:
raise GetStreamError(
'Invalid request. This response may indicate that data in your request data is invalid JSON. Or it may indicate that you do not pass in a session ID or you passed in an invalid stream ID.'
)
elif response.status_code == 403:
raise AuthError(
'You passed in an invalid OpenTok API key or JWT token.')
else:
raise RequestError('An unexpected error occurred', response.status_code
)
|
list_streams
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id):\n endpoint = self.endpoints.get_stream_url(session_id)\n response = requests.get(endpoint, headers=self.json_headers(), proxies=\n self.proxies, timeout=self.timeout)\n if response.status_code == 200:\n return StreamList(response.json())\n elif response.status_code == 400:\n raise GetStreamError(\n 'Invalid request. This response may indicate that data in your request data is invalid JSON. Or it may indicate that you do not pass in a session ID or you passed in an invalid stream ID.'\n )\n elif response.status_code == 403:\n raise AuthError(\n 'You passed in an invalid OpenTok API key or JWT token.')\n else:\n raise RequestError('An unexpected error occurred', response.status_code\n )\n",
"role": "user"
},
{
"content": "list_streams",
"role": "assistant"
}
] |
def x(self, session_id, connection_id):
endpoint = self.endpoints.force_disconnect_url(session_id, connection_id)
response = requests.delete(endpoint, headers=self.json_headers(),
proxies=self.proxies, timeout=self.timeout)
if response.status_code == 204:
pass
elif response.status_code == 400:
raise ForceDisconnectError(
'One of the arguments - sessionId or connectionId - is invalid.')
elif response.status_code == 403:
raise AuthError(
'You are not authorized to forceDisconnect, check your authentication credentials.'
)
elif response.status_code == 404:
raise ForceDisconnectError(
'The client specified by the connectionId property is not connected to the session.'
)
else:
raise RequestError('An unexpected error occurred', response.status_code
)
|
force_disconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, connection_id):\n endpoint = self.endpoints.force_disconnect_url(session_id, connection_id)\n response = requests.delete(endpoint, headers=self.json_headers(),\n proxies=self.proxies, timeout=self.timeout)\n if response.status_code == 204:\n pass\n elif response.status_code == 400:\n raise ForceDisconnectError(\n 'One of the arguments - sessionId or connectionId - is invalid.')\n elif response.status_code == 403:\n raise AuthError(\n 'You are not authorized to forceDisconnect, check your authentication credentials.'\n )\n elif response.status_code == 404:\n raise ForceDisconnectError(\n 'The client specified by the connectionId property is not connected to the session.'\n )\n else:\n raise RequestError('An unexpected error occurred', response.status_code\n )\n",
"role": "user"
},
{
"content": "force_disconnect",
"role": "assistant"
}
] |
def x(self, archive_id, layout_type, stylesheet=None):
payload = {'type': layout_type}
if layout_type == 'custom':
if stylesheet is not None:
payload['stylesheet'] = stylesheet
endpoint = self.endpoints.set_archive_layout_url(archive_id)
response = requests.put(endpoint, data=json.dumps(payload), headers=
self.json_headers(), proxies=self.proxies, timeout=self.timeout)
if response.status_code == 200:
pass
elif response.status_code == 400:
raise ArchiveError(
'Invalid request. This response may indicate that data in your request data is invalid JSON. It may also indicate that you passed in invalid layout options.'
)
elif response.status_code == 403:
raise AuthError('Authentication error.')
else:
raise RequestError('OpenTok server error.', response.status_code)
|
set_archive_layout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_id, layout_type, stylesheet=None):\n payload = {'type': layout_type}\n if layout_type == 'custom':\n if stylesheet is not None:\n payload['stylesheet'] = stylesheet\n endpoint = self.endpoints.set_archive_layout_url(archive_id)\n response = requests.put(endpoint, data=json.dumps(payload), headers=\n self.json_headers(), proxies=self.proxies, timeout=self.timeout)\n if response.status_code == 200:\n pass\n elif response.status_code == 400:\n raise ArchiveError(\n 'Invalid request. This response may indicate that data in your request data is invalid JSON. It may also indicate that you passed in invalid layout options.'\n )\n elif response.status_code == 403:\n raise AuthError('Authentication error.')\n else:\n raise RequestError('OpenTok server error.', response.status_code)\n",
"role": "user"
},
{
"content": "set_archive_layout",
"role": "assistant"
}
] |
def x(self, session_id, token, sip_uri, options=[]):
payload = {'sessionId': session_id, 'token': token, 'sip': {'uri': sip_uri}
}
if 'from' in options:
payload['sip']['from'] = options['from']
if 'headers' in options:
payload['sip']['headers'] = options['headers']
if 'auth' in options:
payload['sip']['auth'] = options['auth']
if 'secure' in options:
payload['sip']['secure'] = options['secure']
endpoint = self.endpoints.dial_url()
response = requests.post(endpoint, data=json.dumps(payload), headers=
self.json_headers(), proxies=self.proxies, timeout=self.timeout)
if response.status_code == 200:
return SipCall(response.json())
elif response.status_code == 400:
raise SipDialError('Invalid request. Invalid session ID.')
elif response.status_code == 403:
raise AuthError('Authentication error.')
elif response.status_code == 404:
raise SipDialError('The session does not exist.')
elif response.status_code == 409:
raise SipDialError(
'You attempted to start a SIP call for a session that does not use the OpenTok Media Router.'
)
else:
raise RequestError('OpenTok server error.', response.status_code)
|
dial
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, token, sip_uri, options=[]):\n payload = {'sessionId': session_id, 'token': token, 'sip': {'uri': sip_uri}\n }\n if 'from' in options:\n payload['sip']['from'] = options['from']\n if 'headers' in options:\n payload['sip']['headers'] = options['headers']\n if 'auth' in options:\n payload['sip']['auth'] = options['auth']\n if 'secure' in options:\n payload['sip']['secure'] = options['secure']\n endpoint = self.endpoints.dial_url()\n response = requests.post(endpoint, data=json.dumps(payload), headers=\n self.json_headers(), proxies=self.proxies, timeout=self.timeout)\n if response.status_code == 200:\n return SipCall(response.json())\n elif response.status_code == 400:\n raise SipDialError('Invalid request. Invalid session ID.')\n elif response.status_code == 403:\n raise AuthError('Authentication error.')\n elif response.status_code == 404:\n raise SipDialError('The session does not exist.')\n elif response.status_code == 409:\n raise SipDialError(\n 'You attempted to start a SIP call for a session that does not use the OpenTok Media Router.'\n )\n else:\n raise RequestError('OpenTok server error.', response.status_code)\n",
"role": "user"
},
{
"content": "dial",
"role": "assistant"
}
] |
def x(self, session_id, payload):
items_payload = {'items': payload}
endpoint = self.endpoints.set_stream_class_lists_url(session_id)
response = requests.put(endpoint, data=json.dumps(items_payload),
headers=self.json_headers(), proxies=self.proxies, timeout=self.timeout
)
if response.status_code == 200:
pass
elif response.status_code == 400:
raise SetStreamClassError(
'Invalid request. This response may indicate that data in your request data is invalid JSON. It may also indicate that you passed in invalid layout options.'
)
elif response.status_code == 403:
raise AuthError('Authentication error.')
else:
raise RequestError('OpenTok server error.', response.status_code)
|
set_stream_class_lists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, payload):\n items_payload = {'items': payload}\n endpoint = self.endpoints.set_stream_class_lists_url(session_id)\n response = requests.put(endpoint, data=json.dumps(items_payload),\n headers=self.json_headers(), proxies=self.proxies, timeout=self.timeout\n )\n if response.status_code == 200:\n pass\n elif response.status_code == 400:\n raise SetStreamClassError(\n 'Invalid request. This response may indicate that data in your request data is invalid JSON. It may also indicate that you passed in invalid layout options.'\n )\n elif response.status_code == 403:\n raise AuthError('Authentication error.')\n else:\n raise RequestError('OpenTok server error.', response.status_code)\n",
"role": "user"
},
{
"content": "set_stream_class_lists",
"role": "assistant"
}
] |
def x(self, session_id, options):
payload = {'sessionId': session_id}
payload.update(options)
endpoint = self.endpoints.broadcast_url()
response = requests.post(endpoint, data=json.dumps(payload), headers=
self.json_headers(), proxies=self.proxies, timeout=self.timeout)
if response.status_code == 200:
return Broadcast(response.json())
elif response.status_code == 400:
raise BroadcastError(
'Invalid request. This response may indicate that data in your request data is invalid JSON. It may also indicate that you passed in invalid layout options. Or you have exceeded the limit of five simultaneous RTMP streams for an OpenTok session. Or you specified and invalid resolution.'
)
elif response.status_code == 403:
raise AuthError('Authentication error.')
elif response.status_code == 409:
raise BroadcastError(
'The broadcast has already started for the session.')
else:
raise RequestError('OpenTok server error.', response.status_code)
|
start_broadcast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_id, options):\n payload = {'sessionId': session_id}\n payload.update(options)\n endpoint = self.endpoints.broadcast_url()\n response = requests.post(endpoint, data=json.dumps(payload), headers=\n self.json_headers(), proxies=self.proxies, timeout=self.timeout)\n if response.status_code == 200:\n return Broadcast(response.json())\n elif response.status_code == 400:\n raise BroadcastError(\n 'Invalid request. This response may indicate that data in your request data is invalid JSON. It may also indicate that you passed in invalid layout options. Or you have exceeded the limit of five simultaneous RTMP streams for an OpenTok session. Or you specified and invalid resolution.'\n )\n elif response.status_code == 403:\n raise AuthError('Authentication error.')\n elif response.status_code == 409:\n raise BroadcastError(\n 'The broadcast has already started for the session.')\n else:\n raise RequestError('OpenTok server error.', response.status_code)\n",
"role": "user"
},
{
"content": "start_broadcast",
"role": "assistant"
}
] |
def x(self, broadcast_id):
endpoint = self.endpoints.broadcast_url(broadcast_id, stop=True)
response = requests.post(endpoint, headers=self.json_headers(), proxies
=self.proxies, timeout=self.timeout)
if response.status_code == 200:
return Broadcast(response.json())
elif response.status_code == 400:
raise BroadcastError(
'Invalid request. This response may indicate that data in your request data is invalid JSON.'
)
elif response.status_code == 403:
raise AuthError('Authentication error.')
elif response.status_code == 409:
raise BroadcastError(
'The broadcast (with the specified ID) was not found or it has already stopped.'
)
else:
raise RequestError('OpenTok server error.', response.status_code)
|
stop_broadcast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, broadcast_id):\n endpoint = self.endpoints.broadcast_url(broadcast_id, stop=True)\n response = requests.post(endpoint, headers=self.json_headers(), proxies\n =self.proxies, timeout=self.timeout)\n if response.status_code == 200:\n return Broadcast(response.json())\n elif response.status_code == 400:\n raise BroadcastError(\n 'Invalid request. This response may indicate that data in your request data is invalid JSON.'\n )\n elif response.status_code == 403:\n raise AuthError('Authentication error.')\n elif response.status_code == 409:\n raise BroadcastError(\n 'The broadcast (with the specified ID) was not found or it has already stopped.'\n )\n else:\n raise RequestError('OpenTok server error.', response.status_code)\n",
"role": "user"
},
{
"content": "stop_broadcast",
"role": "assistant"
}
] |
def x(self, broadcast_id):
endpoint = self.endpoints.broadcast_url(broadcast_id)
response = requests.get(endpoint, headers=self.json_headers(), proxies=
self.proxies, timeout=self.timeout)
if response.status_code == 200:
return Broadcast(response.json())
elif response.status_code == 400:
raise BroadcastError(
'Invalid request. This response may indicate that data in your request data is invalid JSON.'
)
elif response.status_code == 403:
raise AuthError('Authentication error.')
elif response.status_code == 409:
raise BroadcastError(
'No matching broadcast found (with the specified ID).')
else:
raise RequestError('OpenTok server error.', response.status_code)
|
get_broadcast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, broadcast_id):\n endpoint = self.endpoints.broadcast_url(broadcast_id)\n response = requests.get(endpoint, headers=self.json_headers(), proxies=\n self.proxies, timeout=self.timeout)\n if response.status_code == 200:\n return Broadcast(response.json())\n elif response.status_code == 400:\n raise BroadcastError(\n 'Invalid request. This response may indicate that data in your request data is invalid JSON.'\n )\n elif response.status_code == 403:\n raise AuthError('Authentication error.')\n elif response.status_code == 409:\n raise BroadcastError(\n 'No matching broadcast found (with the specified ID).')\n else:\n raise RequestError('OpenTok server error.', response.status_code)\n",
"role": "user"
},
{
"content": "get_broadcast",
"role": "assistant"
}
] |
def x(self, broadcast_id, layout_type, stylesheet=None):
payload = {'type': layout_type}
if layout_type == 'custom':
if stylesheet is not None:
payload['stylesheet'] = stylesheet
endpoint = self.endpoints.broadcast_url(broadcast_id, layout=True)
response = requests.put(endpoint, data=json.dumps(payload), headers=
self.json_headers(), proxies=self.proxies, timeout=self.timeout)
if response.status_code == 200:
pass
elif response.status_code == 400:
raise BroadcastError(
'Invalid request. This response may indicate that data in your request data is invalid JSON. It may also indicate that you passed in invalid layout options.'
)
elif response.status_code == 403:
raise AuthError('Authentication error.')
else:
raise RequestError('OpenTok server error.', response.status_code)
|
set_broadcast_layout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, broadcast_id, layout_type, stylesheet=None):\n payload = {'type': layout_type}\n if layout_type == 'custom':\n if stylesheet is not None:\n payload['stylesheet'] = stylesheet\n endpoint = self.endpoints.broadcast_url(broadcast_id, layout=True)\n response = requests.put(endpoint, data=json.dumps(payload), headers=\n self.json_headers(), proxies=self.proxies, timeout=self.timeout)\n if response.status_code == 200:\n pass\n elif response.status_code == 400:\n raise BroadcastError(\n 'Invalid request. This response may indicate that data in your request data is invalid JSON. It may also indicate that you passed in invalid layout options.'\n )\n elif response.status_code == 403:\n raise AuthError('Authentication error.')\n else:\n raise RequestError('OpenTok server error.', response.status_code)\n",
"role": "user"
},
{
"content": "set_broadcast_layout",
"role": "assistant"
}
] |
def x(self, username, password):
response = self.request(ACCESS_TOKEN, {'x_auth_mode': 'client_auth',
'x_auth_username': username, 'x_auth_password': password},
returns_json=False)
token = dict(parse_qsl(response['data'].decode()))
self.token = oauth.Token(token['oauth_token'], token['oauth_token_secret'])
self.oauth_client = oauth.Client(self.consumer, self.token)
|
login
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password):\n response = self.request(ACCESS_TOKEN, {'x_auth_mode': 'client_auth',\n 'x_auth_username': username, 'x_auth_password': password},\n returns_json=False)\n token = dict(parse_qsl(response['data'].decode()))\n self.token = oauth.Token(token['oauth_token'], token['oauth_token_secret'])\n self.oauth_client = oauth.Client(self.consumer, self.token)\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self, path, params=None, returns_json=True, method='POST',
api_version=API_VERSION):
time.sleep(REQUEST_DELAY_SECS)
full_path = '/'.join([BASE_URL, 'api/%s' % api_version, path])
params = urlencode(params) if params else None
log.debug('URL: %s', full_path)
request_kwargs = {'method': method}
if params:
request_kwargs['body'] = params
response, content = self.oauth_client.request(full_path, **request_kwargs)
log.debug('CONTENT: %s ...', content[:50])
if returns_json:
try:
data = json.loads(content)
if isinstance(data, list) and len(data) == 1:
if data[0]['type'] == 'error':
raise Exception('Instapaper error %d: %s' % (data[0][
'error_code'], data[0]['message']))
except ValueError:
data = content
else:
data = content
return {'response': response, 'data': data}
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, params=None, returns_json=True, method='POST',\n api_version=API_VERSION):\n time.sleep(REQUEST_DELAY_SECS)\n full_path = '/'.join([BASE_URL, 'api/%s' % api_version, path])\n params = urlencode(params) if params else None\n log.debug('URL: %s', full_path)\n request_kwargs = {'method': method}\n if params:\n request_kwargs['body'] = params\n response, content = self.oauth_client.request(full_path, **request_kwargs)\n log.debug('CONTENT: %s ...', content[:50])\n if returns_json:\n try:\n data = json.loads(content)\n if isinstance(data, list) and len(data) == 1:\n if data[0]['type'] == 'error':\n raise Exception('Instapaper error %d: %s' % (data[0][\n 'error_code'], data[0]['message']))\n except ValueError:\n data = content\n else:\n data = content\n return {'response': response, 'data': data}\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, folder='unread', limit=25, have=None):
path = 'bookmarks/list'
params = {'folder_id': folder, 'limit': limit}
if have:
have_concat = ','.join(str(id_) for id_ in have)
params['have'] = have_concat
response = self.request(path, params)
items = response['data']
bookmarks = []
for item in items:
if item.get('type') == 'error':
raise Exception(item.get('message'))
elif item.get('type') == 'bookmark':
bookmarks.append(Bookmark(self, **item))
return bookmarks
|
get_bookmarks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder='unread', limit=25, have=None):\n path = 'bookmarks/list'\n params = {'folder_id': folder, 'limit': limit}\n if have:\n have_concat = ','.join(str(id_) for id_ in have)\n params['have'] = have_concat\n response = self.request(path, params)\n items = response['data']\n bookmarks = []\n for item in items:\n if item.get('type') == 'error':\n raise Exception(item.get('message'))\n elif item.get('type') == 'bookmark':\n bookmarks.append(Bookmark(self, **item))\n return bookmarks\n",
"role": "user"
},
{
"content": "get_bookmarks",
"role": "assistant"
}
] |
def x(self):
path = 'folders/list'
response = self.request(path)
items = response['data']
folders = []
for item in items:
if item.get('type') == 'error':
raise Exception(item.get('message'))
elif item.get('type') == 'folder':
folders.append(Folder(self, **item))
return folders
|
get_folders
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n path = 'folders/list'\n response = self.request(path)\n items = response['data']\n folders = []\n for item in items:\n if item.get('type') == 'error':\n raise Exception(item.get('message'))\n elif item.get('type') == 'folder':\n folders.append(Folder(self, **item))\n return folders\n",
"role": "user"
},
{
"content": "get_folders",
"role": "assistant"
}
] |
def x(self):
submit_attribs = {}
for attrib in self.ATTRIBUTES:
val = getattr(self, attrib, None)
if val:
submit_attribs[attrib] = val
path = '/'.join([self.RESOURCE, 'add'])
result = self.client.request(path, submit_attribs)
return result
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n submit_attribs = {}\n for attrib in self.ATTRIBUTES:\n val = getattr(self, attrib, None)\n if val:\n submit_attribs[attrib] = val\n path = '/'.join([self.RESOURCE, 'add'])\n result = self.client.request(path, submit_attribs)\n return result\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, action=None):
if not action:
raise Exception('No simple action defined')
path = '/'.join([self.RESOURCE, action])
response = self.client.request(path, {self.RESOURCE_ID_ATTRIBUTE: self.
object_id})
return response
|
simple_action
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action=None):\n if not action:\n raise Exception('No simple action defined')\n path = '/'.join([self.RESOURCE, action])\n response = self.client.request(path, {self.RESOURCE_ID_ATTRIBUTE: self.\n object_id})\n return response\n",
"role": "user"
},
{
"content": "simple_action",
"role": "assistant"
}
] |
def x(self):
path = '/'.join([self.RESOURCE, str(self.object_id), 'highlights'])
response = self.client.request(path, method='GET', api_version='1.1')
items = response['data']
highlights = []
for item in items:
if item.get('type') == 'error':
raise Exception(item.get('message'))
elif item.get('type') == 'highlight':
highlights.append(Highlight(self, **item))
return highlights
|
get_highlights
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n path = '/'.join([self.RESOURCE, str(self.object_id), 'highlights'])\n response = self.client.request(path, method='GET', api_version='1.1')\n items = response['data']\n highlights = []\n for item in items:\n if item.get('type') == 'error':\n raise Exception(item.get('message'))\n elif item.get('type') == 'highlight':\n highlights.append(Highlight(self, **item))\n return highlights\n",
"role": "user"
},
{
"content": "get_highlights",
"role": "assistant"
}
] |
def x(self):
if self.interval is not None:
self._queue.put_nowait(None)
self._thread.join()
self.interval = None
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.interval is not None:\n self._queue.put_nowait(None)\n self._thread.join()\n self.interval = None\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self, metric, value, timestamp, tags={}):
if not metric or metric.split(None, 1)[0] != metric:
raise ValueError('"metric" must not have whitespace in it')
if not isinstance(value, (int, float)):
raise TypeError('"value" must be an int or a float, not a {}'.
format(type(value).__name__))
tags_suffix = ''.join(';{}={}'.format(x[0], x[1]) for x in sorted(tags.
items()))
message = u'{}{}{} {} {}\n'.format(self.prefix + '.' if self.prefix else
'', metric, tags_suffix, value, int(round(timestamp)))
message = message.encode('utf-8')
return message
|
build_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metric, value, timestamp, tags={}):\n if not metric or metric.split(None, 1)[0] != metric:\n raise ValueError('\"metric\" must not have whitespace in it')\n if not isinstance(value, (int, float)):\n raise TypeError('\"value\" must be an int or a float, not a {}'.\n format(type(value).__name__))\n tags_suffix = ''.join(';{}={}'.format(x[0], x[1]) for x in sorted(tags.\n items()))\n message = u'{}{}{} {} {}\\n'.format(self.prefix + '.' if self.prefix else\n '', metric, tags_suffix, value, int(round(timestamp)))\n message = message.encode('utf-8')\n return message\n",
"role": "user"
},
{
"content": "build_message",
"role": "assistant"
}
] |
def x(self, metric, value, timestamp=None, tags={}):
if timestamp is None:
timestamp = time.time()
message = self.build_message(metric, value, timestamp, tags)
if self.interval is None:
self.send_socket(message)
else:
try:
self._queue.put_nowait(message)
except queue.Full:
logger.error('queue full when sending {!r}'.format(message))
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metric, value, timestamp=None, tags={}):\n if timestamp is None:\n timestamp = time.time()\n message = self.build_message(metric, value, timestamp, tags)\n if self.interval is None:\n self.send_socket(message)\n else:\n try:\n self._queue.put_nowait(message)\n except queue.Full:\n logger.error('queue full when sending {!r}'.format(message))\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, message):
if self.log_sends:
start_time = time.time()
try:
self.send_message(message)
except Exception as error:
logger.error('error sending message {!r}: {}'.format(message, error))
else:
if self.log_sends:
elapsed_time = time.time() - start_time
logger.info('sent message {!r} to {}:{} in {:.03f} seconds'.
format(message, self.host, self.port, elapsed_time))
|
send_socket
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if self.log_sends:\n start_time = time.time()\n try:\n self.send_message(message)\n except Exception as error:\n logger.error('error sending message {!r}: {}'.format(message, error))\n else:\n if self.log_sends:\n elapsed_time = time.time() - start_time\n logger.info('sent message {!r} to {}:{} in {:.03f} seconds'.\n format(message, self.host, self.port, elapsed_time))\n",
"role": "user"
},
{
"content": "send_socket",
"role": "assistant"
}
] |
def x(self):
last_check_time = time.time()
messages = []
while True:
time_since_last_check = time.time() - last_check_time
time_till_next_check = max(0, self.interval - time_since_last_check)
try:
message = self._queue.get(timeout=time_till_next_check)
except queue.Empty:
pass
else:
if message is None:
break
messages.append(message)
should_stop = False
while True:
try:
message = self._queue.get_nowait()
except queue.Empty:
break
if message is None:
should_stop = True
break
messages.append(message)
if should_stop:
break
current_time = time.time()
if current_time - last_check_time >= self.interval:
last_check_time = current_time
for i in range(0, len(messages), self.batch_size):
batch = messages[i:i + self.batch_size]
self.send_socket(b''.join(batch))
messages = []
for i in range(0, len(messages), self.batch_size):
batch = messages[i:i + self.batch_size]
self.send_socket(b''.join(batch))
|
thread_loop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n last_check_time = time.time()\n messages = []\n while True:\n time_since_last_check = time.time() - last_check_time\n time_till_next_check = max(0, self.interval - time_since_last_check)\n try:\n message = self._queue.get(timeout=time_till_next_check)\n except queue.Empty:\n pass\n else:\n if message is None:\n break\n messages.append(message)\n should_stop = False\n while True:\n try:\n message = self._queue.get_nowait()\n except queue.Empty:\n break\n if message is None:\n should_stop = True\n break\n messages.append(message)\n if should_stop:\n break\n current_time = time.time()\n if current_time - last_check_time >= self.interval:\n last_check_time = current_time\n for i in range(0, len(messages), self.batch_size):\n batch = messages[i:i + self.batch_size]\n self.send_socket(b''.join(batch))\n messages = []\n for i in range(0, len(messages), self.batch_size):\n batch = messages[i:i + self.batch_size]\n self.send_socket(b''.join(batch))\n",
"role": "user"
},
{
"content": "thread_loop",
"role": "assistant"
}
] |
def x():
arg_parser = argparse.ArgumentParser()
arg_parser.add_argument('--vmssname', '-n', required=True, action=
'store', help='VMSS Name')
arg_parser.add_argument('--rgname', '-g', required=True, action='store',
help='Resource Group Name')
arg_parser.add_argument('--details', '-a', required=False, action=
'store_true', default=False, help='Print all details')
args = arg_parser.parse_args()
name = args.vmssname
rgname = args.rgname
details = args.details
try:
with open('azurermconfig.json') as config_file:
config_data = json.load(config_file)
except FileNotFoundError:
print('Error: Expecting azurermconfig.json in current folder')
sys.exit()
tenant_id = config_data['tenantId']
app_id = config_data['appId']
app_secret = config_data['appSecret']
subscription_id = config_data['subscriptionId']
access_token = azurerm.get_access_token(tenant_id, app_id, app_secret)
upgrade_status = azurerm.get_vmss_rolling_upgrades(access_token,
subscription_id, rgname, name)
if details is True:
print(json.dumps(upgrade_status, sort_keys=False, indent=2,
separators=(',', ': ')))
else:
print(json.dumps(upgrade_status, sort_keys=False, indent=2,
separators=(',', ': ')))
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n arg_parser = argparse.ArgumentParser()\n arg_parser.add_argument('--vmssname', '-n', required=True, action=\n 'store', help='VMSS Name')\n arg_parser.add_argument('--rgname', '-g', required=True, action='store',\n help='Resource Group Name')\n arg_parser.add_argument('--details', '-a', required=False, action=\n 'store_true', default=False, help='Print all details')\n args = arg_parser.parse_args()\n name = args.vmssname\n rgname = args.rgname\n details = args.details\n try:\n with open('azurermconfig.json') as config_file:\n config_data = json.load(config_file)\n except FileNotFoundError:\n print('Error: Expecting azurermconfig.json in current folder')\n sys.exit()\n tenant_id = config_data['tenantId']\n app_id = config_data['appId']\n app_secret = config_data['appSecret']\n subscription_id = config_data['subscriptionId']\n access_token = azurerm.get_access_token(tenant_id, app_id, app_secret)\n upgrade_status = azurerm.get_vmss_rolling_upgrades(access_token,\n subscription_id, rgname, name)\n if details is True:\n print(json.dumps(upgrade_status, sort_keys=False, indent=2,\n separators=(',', ': ')))\n else:\n print(json.dumps(upgrade_status, sort_keys=False, indent=2,\n separators=(',', ': ')))\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x():
if len(sys.argv) < 3:
usage()
rgname = sys.argv[1]
vmss_name = sys.argv[2]
try:
with open('azurermconfig.json') as config_file:
config_data = json.load(config_file)
except FileNotFoundError:
sys.exit('Error: Expecting azurermconfig.json in current folder')
tenant_id = config_data['tenantId']
app_id = config_data['appId']
app_secret = config_data['appSecret']
subscription_id = config_data['subscriptionId']
access_token = azurerm.get_access_token(tenant_id, app_id, app_secret)
print('Printing VMSS details\n')
vmssget = azurerm.get_vmss(access_token, subscription_id, rgname, vmss_name
)
name = vmssget['name']
capacity = vmssget['sku']['capacity']
location = vmssget['location']
offer = vmssget['properties']['virtualMachineProfile']['storageProfile'][
'imageReference']['offer']
sku = vmssget['properties']['virtualMachineProfile']['storageProfile'][
'imageReference']['sku']
print(json.dumps(vmssget, sort_keys=False, indent=2, separators=(',',
': ')))
print('Name: ' + name + ', capacity: ' + str(capacity) + ', ' +
location + ', ' + offer + ', ' + sku)
print('Printing VMSS instance view')
instance_view = azurerm.get_vmss_instance_view(access_token,
subscription_id, rgname, vmss_name)
print(json.dumps(instance_view, sort_keys=False, indent=2, separators=(
',', ': ')))
"""
print('Listing VMSS VMs')
vmss_vms = azurerm.list_vmss_vms(access_token, subscription_id, rg, vmss)
print(json.dumps(vmss_vms, sort_keys=False, indent=2, separators=(',', ': ')))
for vm in vmss_vms['value']:
instanceId = vm['instanceId']
vminstance_view = azurerm.get_vmss_vm_instance_view(access_token, subscription_id, rg, vmss,
instanceId)
print('VM ' + str(instanceId) + ' instance view')
print(json.dumps(vminstance_view, sort_keys=False, indent=2, separators=(',', ': ')))
"""
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if len(sys.argv) < 3:\n usage()\n rgname = sys.argv[1]\n vmss_name = sys.argv[2]\n try:\n with open('azurermconfig.json') as config_file:\n config_data = json.load(config_file)\n except FileNotFoundError:\n sys.exit('Error: Expecting azurermconfig.json in current folder')\n tenant_id = config_data['tenantId']\n app_id = config_data['appId']\n app_secret = config_data['appSecret']\n subscription_id = config_data['subscriptionId']\n access_token = azurerm.get_access_token(tenant_id, app_id, app_secret)\n print('Printing VMSS details\\n')\n vmssget = azurerm.get_vmss(access_token, subscription_id, rgname, vmss_name\n )\n name = vmssget['name']\n capacity = vmssget['sku']['capacity']\n location = vmssget['location']\n offer = vmssget['properties']['virtualMachineProfile']['storageProfile'][\n 'imageReference']['offer']\n sku = vmssget['properties']['virtualMachineProfile']['storageProfile'][\n 'imageReference']['sku']\n print(json.dumps(vmssget, sort_keys=False, indent=2, separators=(',',\n ': ')))\n print('Name: ' + name + ', capacity: ' + str(capacity) + ', ' +\n location + ', ' + offer + ', ' + sku)\n print('Printing VMSS instance view')\n instance_view = azurerm.get_vmss_instance_view(access_token,\n subscription_id, rgname, vmss_name)\n print(json.dumps(instance_view, sort_keys=False, indent=2, separators=(\n ',', ': ')))\n \"\"\"\n print('Listing VMSS VMs')\n vmss_vms = azurerm.list_vmss_vms(access_token, subscription_id, rg, vmss)\n print(json.dumps(vmss_vms, sort_keys=False, indent=2, separators=(',', ': ')))\n for vm in vmss_vms['value']:\n instanceId = vm['instanceId']\n vminstance_view = azurerm.get_vmss_vm_instance_view(access_token, subscription_id, rg, vmss,\n instanceId)\n print('VM ' + str(instanceId) + ' instance view')\n print(json.dumps(vminstance_view, sort_keys=False, indent=2, separators=(',', ': ')))\n \"\"\"\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(vmss_id):
rgname = re.search('Groups/(.+?)/providers', vmss_id).group(1)
print('Resource group: ' + rgname)
return rgname
|
get_rg_from_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vmss_id):\n rgname = re.search('Groups/(.+?)/providers', vmss_id).group(1)\n print('Resource group: ' + rgname)\n return rgname\n",
"role": "user"
},
{
"content": "get_rg_from_id",
"role": "assistant"
}
] |
def x():
try:
with open('azurermconfig.json') as config_file:
config_data = json.load(config_file)
except FileNotFoundError:
sys.exit('Error: Expecting azurermconfig.json in current folder')
tenant_id = config_data['tenantId']
app_id = config_data['appId']
app_secret = config_data['appSecret']
subscription_id = config_data['subscriptionId']
access_token = azurerm.get_access_token(tenant_id, app_id, app_secret)
vmsslist = azurerm.list_vmss_sub(access_token, subscription_id)
for vmss in vmsslist['value']:
name = vmss['name']
location = vmss['location']
capacity = vmss['sku']['capacity']
print(''.join(['Name: ', name, ', location: ', location,
', Capacity: ', str(capacity)]))
print('VMSS NICs...')
rgname = get_rg_from_id(vmss['id'])
vmss_nics = azurerm.get_vmss_nics(access_token, subscription_id,
rgname, name)
print(json.dumps(vmss_nics, sort_keys=False, indent=2, separators=(
',', ': ')))
print('VMSS Virtual machines...')
vms = azurerm.list_vmss_vms(access_token, subscription_id, rgname, name
)
for vmssvm in vms['value']:
vm_id = vmssvm['instanceId']
print(vm_id + ', ' + vmssvm['name'] + '\n')
print('VMSS VM NICs...')
vmnics = azurerm.get_vmss_vm_nics(access_token, subscription_id,
rgname, name, vm_id)
print(json.dumps(vmnics, sort_keys=False, indent=2, separators=
(',', ': ')))
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n with open('azurermconfig.json') as config_file:\n config_data = json.load(config_file)\n except FileNotFoundError:\n sys.exit('Error: Expecting azurermconfig.json in current folder')\n tenant_id = config_data['tenantId']\n app_id = config_data['appId']\n app_secret = config_data['appSecret']\n subscription_id = config_data['subscriptionId']\n access_token = azurerm.get_access_token(tenant_id, app_id, app_secret)\n vmsslist = azurerm.list_vmss_sub(access_token, subscription_id)\n for vmss in vmsslist['value']:\n name = vmss['name']\n location = vmss['location']\n capacity = vmss['sku']['capacity']\n print(''.join(['Name: ', name, ', location: ', location,\n ', Capacity: ', str(capacity)]))\n print('VMSS NICs...')\n rgname = get_rg_from_id(vmss['id'])\n vmss_nics = azurerm.get_vmss_nics(access_token, subscription_id,\n rgname, name)\n print(json.dumps(vmss_nics, sort_keys=False, indent=2, separators=(\n ',', ': ')))\n print('VMSS Virtual machines...')\n vms = azurerm.list_vmss_vms(access_token, subscription_id, rgname, name\n )\n for vmssvm in vms['value']:\n vm_id = vmssvm['instanceId']\n print(vm_id + ', ' + vmssvm['name'] + '\\n')\n print('VMSS VM NICs...')\n vmnics = azurerm.get_vmss_vm_nics(access_token, subscription_id,\n rgname, name, vm_id)\n print(json.dumps(vmnics, sort_keys=False, indent=2, separators=\n (',', ': ')))\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x():
version = pkg_resources.require('azurerm')[0].version
user_agent = 'python/{} ({}) requests/{} azurerm/{}'.format(platform.
python_version(), platform.platform(), requests.__version__, version)
return user_agent
|
get_user_agent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n version = pkg_resources.require('azurerm')[0].version\n user_agent = 'python/{} ({}) requests/{} azurerm/{}'.format(platform.\n python_version(), platform.platform(), requests.__version__, version)\n return user_agent\n",
"role": "user"
},
{
"content": "get_user_agent",
"role": "assistant"
}
] |
def x(endpoint, access_token):
headers = {'Authorization': 'Bearer ' + access_token}
headers['User-Agent'] = get_user_agent()
return requests.get(endpoint, headers=headers).json()
|
do_get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, access_token):\n headers = {'Authorization': 'Bearer ' + access_token}\n headers['User-Agent'] = get_user_agent()\n return requests.get(endpoint, headers=headers).json()\n",
"role": "user"
},
{
"content": "do_get",
"role": "assistant"
}
] |
def x(endpoint, access_token):
headers = {'Authorization': 'Bearer ' + access_token}
headers['User-Agent'] = get_user_agent()
looping = True
value_list = []
vm_dict = {}
while looping:
get_return = requests.get(endpoint, headers=headers).json()
if not 'value' in get_return:
return get_return
if not 'nextLink' in get_return:
looping = False
else:
endpoint = get_return['nextLink']
value_list += get_return['value']
vm_dict['value'] = value_list
return vm_dict
|
do_get_next
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, access_token):\n headers = {'Authorization': 'Bearer ' + access_token}\n headers['User-Agent'] = get_user_agent()\n looping = True\n value_list = []\n vm_dict = {}\n while looping:\n get_return = requests.get(endpoint, headers=headers).json()\n if not 'value' in get_return:\n return get_return\n if not 'nextLink' in get_return:\n looping = False\n else:\n endpoint = get_return['nextLink']\n value_list += get_return['value']\n vm_dict['value'] = value_list\n return vm_dict\n",
"role": "user"
},
{
"content": "do_get_next",
"role": "assistant"
}
] |
def x(endpoint, access_token):
headers = {'Authorization': 'Bearer ' + access_token}
headers['User-Agent'] = get_user_agent()
return requests.delete(endpoint, headers=headers)
|
do_delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, access_token):\n headers = {'Authorization': 'Bearer ' + access_token}\n headers['User-Agent'] = get_user_agent()\n return requests.delete(endpoint, headers=headers)\n",
"role": "user"
},
{
"content": "do_delete",
"role": "assistant"
}
] |
def x(endpoint, body, access_token):
headers = {'content-type': 'application/json', 'Authorization':
'Bearer ' + access_token}
headers['User-Agent'] = get_user_agent()
return requests.patch(endpoint, data=body, headers=headers)
|
do_patch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, body, access_token):\n headers = {'content-type': 'application/json', 'Authorization': \n 'Bearer ' + access_token}\n headers['User-Agent'] = get_user_agent()\n return requests.patch(endpoint, data=body, headers=headers)\n",
"role": "user"
},
{
"content": "do_patch",
"role": "assistant"
}
] |
def x(endpoint, body, access_token):
headers = {'content-type': 'application/json', 'Authorization':
'Bearer ' + access_token}
headers['User-Agent'] = get_user_agent()
return requests.post(endpoint, data=body, headers=headers)
|
do_post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, body, access_token):\n headers = {'content-type': 'application/json', 'Authorization': \n 'Bearer ' + access_token}\n headers['User-Agent'] = get_user_agent()\n return requests.post(endpoint, data=body, headers=headers)\n",
"role": "user"
},
{
"content": "do_post",
"role": "assistant"
}
] |
def x(endpoint, body, access_token):
headers = {'content-type': 'application/json', 'Authorization':
'Bearer ' + access_token}
headers['User-Agent'] = get_user_agent()
return requests.put(endpoint, data=body, headers=headers)
|
do_put
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, body, access_token):\n headers = {'content-type': 'application/json', 'Authorization': \n 'Bearer ' + access_token}\n headers['User-Agent'] = get_user_agent()\n return requests.put(endpoint, data=body, headers=headers)\n",
"role": "user"
},
{
"content": "do_put",
"role": "assistant"
}
] |
def x(access_token, endpoint=ams_rest_endpoint, flag=True):
return do_ams_get_url(endpoint, access_token, flag)
|
get_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(access_token, endpoint=ams_rest_endpoint, flag=True):\n return do_ams_get_url(endpoint, access_token, flag)\n",
"role": "user"
},
{
"content": "get_url",
"role": "assistant"
}
] |
def x(endpoint, body):
headers = {'content-type': 'application/x-www-form-urlencoded',
'Accept': json_acceptformat}
return requests.post(endpoint, data=body, headers=headers)
|
do_ams_auth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, body):\n headers = {'content-type': 'application/x-www-form-urlencoded',\n 'Accept': json_acceptformat}\n return requests.post(endpoint, data=body, headers=headers)\n",
"role": "user"
},
{
"content": "do_ams_auth",
"role": "assistant"
}
] |
def x(endpoint, path, body, access_token, rformat='json', ds_min_version=
'3.0;NetFx'):
min_ds = dsversion_min
content_acceptformat = json_acceptformat
if rformat == 'json_only':
min_ds = ds_min_version
content_acceptformat = json_only_acceptformat
headers = {'Content-Type': content_acceptformat,
'DataServiceVersion': min_ds, 'MaxDataServiceVersion':
dsversion_max, 'Accept': json_acceptformat, 'Accept-Charset':
charset, 'Authorization': 'Bearer ' + access_token,
'x-ms-version': xmsversion}
response = requests.put(endpoint, data=body, headers=headers,
allow_redirects=False)
if response.status_code == 301:
redirected_url = ''.join([response.headers['location'], path])
response = requests.put(redirected_url, data=body, headers=headers)
return response
|
do_ams_put
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, path, body, access_token, rformat='json', ds_min_version=\n '3.0;NetFx'):\n min_ds = dsversion_min\n content_acceptformat = json_acceptformat\n if rformat == 'json_only':\n min_ds = ds_min_version\n content_acceptformat = json_only_acceptformat\n headers = {'Content-Type': content_acceptformat,\n 'DataServiceVersion': min_ds, 'MaxDataServiceVersion':\n dsversion_max, 'Accept': json_acceptformat, 'Accept-Charset':\n charset, 'Authorization': 'Bearer ' + access_token,\n 'x-ms-version': xmsversion}\n response = requests.put(endpoint, data=body, headers=headers,\n allow_redirects=False)\n if response.status_code == 301:\n redirected_url = ''.join([response.headers['location'], path])\n response = requests.put(redirected_url, data=body, headers=headers)\n return response\n",
"role": "user"
},
{
"content": "do_ams_put",
"role": "assistant"
}
] |
def x(endpoint, path, body, access_token, rformat='json', ds_min_version=
'3.0;NetFx'):
min_ds = dsversion_min
content_acceptformat = json_acceptformat
acceptformat = json_acceptformat
if rformat == 'json_only':
min_ds = ds_min_version
content_acceptformat = json_only_acceptformat
if rformat == 'xml':
content_acceptformat = xml_acceptformat
acceptformat = xml_acceptformat + ',application/xml'
headers = {'Content-Type': content_acceptformat, 'DataServiceVersion':
min_ds, 'MaxDataServiceVersion': dsversion_max, 'Accept':
acceptformat, 'Accept-Charset': charset, 'Authorization': 'Bearer ' +
access_token, 'x-ms-version': xmsversion}
response = requests.post(endpoint, data=body, headers=headers,
allow_redirects=False)
if response.status_code == 301:
redirected_url = ''.join([response.headers['location'], path])
response = requests.post(redirected_url, data=body, headers=headers)
return response
|
do_ams_post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, path, body, access_token, rformat='json', ds_min_version=\n '3.0;NetFx'):\n min_ds = dsversion_min\n content_acceptformat = json_acceptformat\n acceptformat = json_acceptformat\n if rformat == 'json_only':\n min_ds = ds_min_version\n content_acceptformat = json_only_acceptformat\n if rformat == 'xml':\n content_acceptformat = xml_acceptformat\n acceptformat = xml_acceptformat + ',application/xml'\n headers = {'Content-Type': content_acceptformat, 'DataServiceVersion':\n min_ds, 'MaxDataServiceVersion': dsversion_max, 'Accept':\n acceptformat, 'Accept-Charset': charset, 'Authorization': 'Bearer ' +\n access_token, 'x-ms-version': xmsversion}\n response = requests.post(endpoint, data=body, headers=headers,\n allow_redirects=False)\n if response.status_code == 301:\n redirected_url = ''.join([response.headers['location'], path])\n response = requests.post(redirected_url, data=body, headers=headers)\n return response\n",
"role": "user"
},
{
"content": "do_ams_post",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.