source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, output_dir=None, force=False):
return write_ioc(self.root, output_dir, force=force)
|
write_ioc_to_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output_dir=None, force=False):\n return write_ioc(self.root, output_dir, force=force)\n",
"role": "user"
},
{
"content": "write_ioc_to_file",
"role": "assistant"
}
] |
def x(self, width=120, sep=' ', params=False):
s = 'Name: {}\n'.format(self.metadata.findtext('short_description',
default='No Name'))
s += 'ID: {}\n'.format(self.root.attrib.get('id'))
s += 'Created: {}\n'.format(self.metadata.findtext('authored_date',
default='No authored_date'))
s += 'Updated: {}\n\n'.format(self.root.attrib.get('last-modified',
default='No last-modified attrib'))
s += 'Author: {}\n'.format(self.metadata.findtext('authored_by',
default='No authored_by'))
desc = self.metadata.findtext('description', default='No Description')
desc = textwrap.wrap(desc, width=width)
desc = '\n'.join(desc)
s += 'Description:\n{}\n\n'.format(desc)
links = self.link_text()
if links:
s += '{}'.format(links)
content_text = self.criteria_text(sep=sep, params=params)
s += '\nCriteria:\n{}'.format(content_text)
return s
|
display_ioc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, width=120, sep=' ', params=False):\n s = 'Name: {}\\n'.format(self.metadata.findtext('short_description',\n default='No Name'))\n s += 'ID: {}\\n'.format(self.root.attrib.get('id'))\n s += 'Created: {}\\n'.format(self.metadata.findtext('authored_date',\n default='No authored_date'))\n s += 'Updated: {}\\n\\n'.format(self.root.attrib.get('last-modified',\n default='No last-modified attrib'))\n s += 'Author: {}\\n'.format(self.metadata.findtext('authored_by',\n default='No authored_by'))\n desc = self.metadata.findtext('description', default='No Description')\n desc = textwrap.wrap(desc, width=width)\n desc = '\\n'.join(desc)\n s += 'Description:\\n{}\\n\\n'.format(desc)\n links = self.link_text()\n if links:\n s += '{}'.format(links)\n content_text = self.criteria_text(sep=sep, params=params)\n s += '\\nCriteria:\\n{}'.format(content_text)\n return s\n",
"role": "user"
},
{
"content": "display_ioc",
"role": "assistant"
}
] |
def x(self):
s = ''
links_node = self.metadata.find('links')
if links_node is None:
return s
links = links_node.getchildren()
if links is None:
return s
s += 'IOC Links\n'
for link in links:
rel = link.attrib.get('rel', 'No Rel')
href = link.attrib.get('href')
text = link.text
lt = '{rel}{href}: {text}\n'.format(rel=rel, href=' @ {}'.format(
href) if href else '', text=text)
s += lt
return s
|
link_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = ''\n links_node = self.metadata.find('links')\n if links_node is None:\n return s\n links = links_node.getchildren()\n if links is None:\n return s\n s += 'IOC Links\\n'\n for link in links:\n rel = link.attrib.get('rel', 'No Rel')\n href = link.attrib.get('href')\n text = link.text\n lt = '{rel}{href}: {text}\\n'.format(rel=rel, href=' @ {}'.format(\n href) if href else '', text=text)\n s += lt\n return s\n",
"role": "user"
},
{
"content": "link_text",
"role": "assistant"
}
] |
def x(self, sep=' ', params=False):
s = ''
criteria_node = self.root.find('criteria')
if criteria_node is None:
return s
node_texts = []
for node in criteria_node.getchildren():
nt = self.get_node_text(node, depth=0, sep=sep, params=params)
node_texts.append(nt)
s = '\n'.join(node_texts)
return s
|
criteria_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sep=' ', params=False):\n s = ''\n criteria_node = self.root.find('criteria')\n if criteria_node is None:\n return s\n node_texts = []\n for node in criteria_node.getchildren():\n nt = self.get_node_text(node, depth=0, sep=sep, params=params)\n node_texts.append(nt)\n s = '\\n'.join(node_texts)\n return s\n",
"role": "user"
},
{
"content": "criteria_text",
"role": "assistant"
}
] |
def x(self, node, depth, sep, params=False):
indent = sep * depth
s = ''
tag = node.tag
if tag == 'Indicator':
node_text = self.get_i_text(node)
elif tag == 'IndicatorItem':
node_text = self.get_ii_text(node)
else:
raise IOCParseError('Invalid node encountered: {}'.format(tag))
s += '{}{}\n'.format(indent, node_text)
if params:
param_text = self.get_param_text(node.attrib.get('id'))
for pt in param_text:
s += '{}{}\n'.format(indent + sep, pt)
if node.tag == 'Indicator':
for child in node.getchildren():
s += self.get_node_text(node=child, depth=depth + 1, sep=sep,
params=params)
return s
|
get_node_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, depth, sep, params=False):\n indent = sep * depth\n s = ''\n tag = node.tag\n if tag == 'Indicator':\n node_text = self.get_i_text(node)\n elif tag == 'IndicatorItem':\n node_text = self.get_ii_text(node)\n else:\n raise IOCParseError('Invalid node encountered: {}'.format(tag))\n s += '{}{}\\n'.format(indent, node_text)\n if params:\n param_text = self.get_param_text(node.attrib.get('id'))\n for pt in param_text:\n s += '{}{}\\n'.format(indent + sep, pt)\n if node.tag == 'Indicator':\n for child in node.getchildren():\n s += self.get_node_text(node=child, depth=depth + 1, sep=sep,\n params=params)\n return s\n",
"role": "user"
},
{
"content": "get_node_text",
"role": "assistant"
}
] |
def x(node):
if node.tag != 'Indicator':
raise IOCParseError('Invalid tag: {}'.format(node.tag))
s = node.get('operator').upper()
return s
|
get_i_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n if node.tag != 'Indicator':\n raise IOCParseError('Invalid tag: {}'.format(node.tag))\n s = node.get('operator').upper()\n return s\n",
"role": "user"
},
{
"content": "get_i_text",
"role": "assistant"
}
] |
def x(node):
if node.tag != 'IndicatorItem':
raise IOCParseError('Invalid tag: {}'.format(node.tag))
condition = node.attrib.get('condition')
preserve_case = node.attrib.get('preserve-case', '')
negate = node.attrib.get('negate', '')
content = node.findtext('Content')
search = node.find('Context').get('search')
if preserve_case.lower() == 'true':
preserve_case = ' (Preserve Case)'
else:
preserve_case = ''
if negate.lower() == 'true':
negate = 'NOT '
else:
negate = ''
s = '{negate}{search} {condition} "{content}"{preserve_case}'.format(negate
=negate, search=search, condition=condition, content=content,
preserve_case=preserve_case)
return s
|
get_ii_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n if node.tag != 'IndicatorItem':\n raise IOCParseError('Invalid tag: {}'.format(node.tag))\n condition = node.attrib.get('condition')\n preserve_case = node.attrib.get('preserve-case', '')\n negate = node.attrib.get('negate', '')\n content = node.findtext('Content')\n search = node.find('Context').get('search')\n if preserve_case.lower() == 'true':\n preserve_case = ' (Preserve Case)'\n else:\n preserve_case = ''\n if negate.lower() == 'true':\n negate = 'NOT '\n else:\n negate = ''\n s = '{negate}{search} {condition} \"{content}\"{preserve_case}'.format(negate\n =negate, search=search, condition=condition, content=content,\n preserve_case=preserve_case)\n return s\n",
"role": "user"
},
{
"content": "get_ii_text",
"role": "assistant"
}
] |
def x(self, nid):
r = []
params = self.parameters.xpath('.//param[@ref-id="{}"]'.format(nid))
if not params:
return r
for param in params:
vnode = param.find('value')
s = 'Parameter: {}, type:{}, value: {}'.format(param.attrib.get(
'name'), vnode.attrib.get('type'), param.findtext('value',
default='No Value'))
r.append(s)
return r
|
get_param_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nid):\n r = []\n params = self.parameters.xpath('.//param[@ref-id=\"{}\"]'.format(nid))\n if not params:\n return r\n for param in params:\n vnode = param.find('value')\n s = 'Parameter: {}, type:{}, value: {}'.format(param.attrib.get(\n 'name'), vnode.attrib.get('type'), param.findtext('value',\n default='No Value'))\n r.append(s)\n return r\n",
"role": "user"
},
{
"content": "get_param_text",
"role": "assistant"
}
] |
def x(filename):
parser = et.XMLParser(remove_blank_text=True)
isfile = False
try:
isfile = os.path.exists(filename)
except ValueError as e:
if 'path too long for Windows' in str(e):
pass
else:
raise
try:
if isfile:
return et.parse(filename, parser)
else:
r = et.fromstring(filename, parser)
return r.getroottree()
except IOError:
log.exception('unable to open file [[}]'.format(filename))
except et.XMLSyntaxError:
log.exception('unable to parse XML [{}]'.format(filename))
return None
return None
|
read_xml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n parser = et.XMLParser(remove_blank_text=True)\n isfile = False\n try:\n isfile = os.path.exists(filename)\n except ValueError as e:\n if 'path too long for Windows' in str(e):\n pass\n else:\n raise\n try:\n if isfile:\n return et.parse(filename, parser)\n else:\n r = et.fromstring(filename, parser)\n return r.getroottree()\n except IOError:\n log.exception('unable to open file [[}]'.format(filename))\n except et.XMLSyntaxError:\n log.exception('unable to parse XML [{}]'.format(filename))\n return None\n return None\n",
"role": "user"
},
{
"content": "read_xml",
"role": "assistant"
}
] |
def x(doc, namespace):
ns = '{{{}}}'.format(namespace)
nsl = len(ns)
for elem in doc.getiterator():
if elem.tag.startswith(ns):
elem.tag = elem.tag[nsl:]
return doc
|
remove_namespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(doc, namespace):\n ns = '{{{}}}'.format(namespace)\n nsl = len(ns)\n for elem in doc.getiterator():\n if elem.tag.startswith(ns):\n elem.tag = elem.tag[nsl:]\n return doc\n",
"role": "user"
},
{
"content": "remove_namespace",
"role": "assistant"
}
] |
def x(parsed_xml):
if parsed_xml.getroot().tag.startswith('{'):
root = parsed_xml.getroot().tag
end_ns = root.find('}')
remove_namespace(parsed_xml, root[1:end_ns])
return parsed_xml
|
delete_namespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parsed_xml):\n if parsed_xml.getroot().tag.startswith('{'):\n root = parsed_xml.getroot().tag\n end_ns = root.find('}')\n remove_namespace(parsed_xml, root[1:end_ns])\n return parsed_xml\n",
"role": "user"
},
{
"content": "delete_namespace",
"role": "assistant"
}
] |
def x(self, filename):
errors = []
if os.path.isfile(filename):
log.info('loading IOC from: {}'.format(filename))
if not self.parse(filename):
log.warning('Failed to prase [{}]'.format(filename))
errors.append(filename)
elif os.path.isdir(filename):
log.info('loading IOCs from: {}'.format(filename))
for fn in glob.glob(filename + os.path.sep + '*.ioc'):
if not os.path.isfile(fn):
continue
elif not self.parse(fn):
log.warning('Failed to parse [{}]'.format(filename))
errors.append(fn)
else:
pass
log.info('Parsed [%s] IOCs' % str(len(self)))
return errors
|
insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n errors = []\n if os.path.isfile(filename):\n log.info('loading IOC from: {}'.format(filename))\n if not self.parse(filename):\n log.warning('Failed to prase [{}]'.format(filename))\n errors.append(filename)\n elif os.path.isdir(filename):\n log.info('loading IOCs from: {}'.format(filename))\n for fn in glob.glob(filename + os.path.sep + '*.ioc'):\n if not os.path.isfile(fn):\n continue\n elif not self.parse(fn):\n log.warning('Failed to parse [{}]'.format(filename))\n errors.append(fn)\n else:\n pass\n log.info('Parsed [%s] IOCs' % str(len(self)))\n return errors\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(self, fn):
ioc_xml = xmlutils.read_xml_no_ns(fn)
if not ioc_xml:
return False
root = ioc_xml.getroot()
iocid = root.get('id', None)
if not iocid:
return False
self.iocs[iocid] = ioc_xml
return True
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fn):\n ioc_xml = xmlutils.read_xml_no_ns(fn)\n if not ioc_xml:\n return False\n root = ioc_xml.getroot()\n iocid = root.get('id', None)\n if not iocid:\n return False\n self.iocs[iocid] = ioc_xml\n return True\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
if len(self) < 1:
log.error('No iocs available to modify.')
return False
log.info('Converting IOCs from 1.0 to 1.1')
errors = []
for iocid in self.iocs:
ioc_xml = self.iocs[iocid]
root = ioc_xml.getroot()
if root.tag != 'ioc':
log.error('IOC root is not "ioc" [%s].' % str(iocid))
errors.append(iocid)
continue
name_10 = root.findtext('.//short_description')
keywords_10 = root.findtext('.//keywords')
description_10 = root.findtext('.//description')
author_10 = root.findtext('.//authored_by')
created_date_10 = root.findtext('.//authored_date')
last_modified_date_10 = root.get('last-modified', None)
if last_modified_date_10:
last_modified_date_10 = last_modified_date_10.rstrip('Z')
created_date_10 = created_date_10.rstrip('Z')
links_10 = []
for link in root.xpath('//link'):
link_rel = link.get('rel', None)
link_text = link.text
links_10.append((link_rel, link_text, None))
try:
ioc_logic = root.xpath('.//definition')[0]
except IndexError:
log.exception(
'Could not find definition nodes for IOC [%s]. Did you attempt to convert OpenIOC 1.1 iocs?'
% str(iocid))
errors.append(iocid)
continue
ioc_obj = ioc_api.IOC(name=name_10, description=description_10,
author=author_10, links=links_10, keywords=keywords_10, iocid=iocid
)
ioc_obj.set_lastmodified_date(last_modified_date_10)
ioc_obj.set_created_date(created_date_10)
comment_dict = {}
tlo_10 = ioc_logic.getchildren()[0]
try:
self.convert_branch(tlo_10, ioc_obj.top_level_indicator,
comment_dict)
except UpgradeError:
log.exception('Problem converting IOC [{}]'.format(iocid))
errors.append(iocid)
continue
for node_id in comment_dict:
ioc_obj.add_parameter(node_id, comment_dict[node_id])
self.iocs_11[iocid] = ioc_obj
return errors
|
convert_to_11
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self) < 1:\n log.error('No iocs available to modify.')\n return False\n log.info('Converting IOCs from 1.0 to 1.1')\n errors = []\n for iocid in self.iocs:\n ioc_xml = self.iocs[iocid]\n root = ioc_xml.getroot()\n if root.tag != 'ioc':\n log.error('IOC root is not \"ioc\" [%s].' % str(iocid))\n errors.append(iocid)\n continue\n name_10 = root.findtext('.//short_description')\n keywords_10 = root.findtext('.//keywords')\n description_10 = root.findtext('.//description')\n author_10 = root.findtext('.//authored_by')\n created_date_10 = root.findtext('.//authored_date')\n last_modified_date_10 = root.get('last-modified', None)\n if last_modified_date_10:\n last_modified_date_10 = last_modified_date_10.rstrip('Z')\n created_date_10 = created_date_10.rstrip('Z')\n links_10 = []\n for link in root.xpath('//link'):\n link_rel = link.get('rel', None)\n link_text = link.text\n links_10.append((link_rel, link_text, None))\n try:\n ioc_logic = root.xpath('.//definition')[0]\n except IndexError:\n log.exception(\n 'Could not find definition nodes for IOC [%s]. Did you attempt to convert OpenIOC 1.1 iocs?'\n % str(iocid))\n errors.append(iocid)\n continue\n ioc_obj = ioc_api.IOC(name=name_10, description=description_10,\n author=author_10, links=links_10, keywords=keywords_10, iocid=iocid\n )\n ioc_obj.set_lastmodified_date(last_modified_date_10)\n ioc_obj.set_created_date(created_date_10)\n comment_dict = {}\n tlo_10 = ioc_logic.getchildren()[0]\n try:\n self.convert_branch(tlo_10, ioc_obj.top_level_indicator,\n comment_dict)\n except UpgradeError:\n log.exception('Problem converting IOC [{}]'.format(iocid))\n errors.append(iocid)\n continue\n for node_id in comment_dict:\n ioc_obj.add_parameter(node_id, comment_dict[node_id])\n self.iocs_11[iocid] = ioc_obj\n return errors\n",
"role": "user"
},
{
"content": "convert_to_11",
"role": "assistant"
}
] |
def x(self, old_node, new_node, comment_dict=None):
expected_tag = 'Indicator'
if old_node.tag != expected_tag:
raise UpgradeError('old_node expected tag is [%s]' % expected_tag)
if not comment_dict:
comment_dict = {}
for node in old_node.getchildren():
node_id = node.get('id')
if node.tag == 'IndicatorItem':
condition = node.get('condition')
negation = False
if condition.endswith('not'):
negation = True
condition = condition[:-3]
document = node.xpath('Context/@document')[0]
search = node.xpath('Context/@search')[0]
content_type = node.xpath('Content/@type')[0]
content = node.findtext('Content')
context_type = node.xpath('Context/@type')[0]
new_ii_node = ioc_api.make_indicatoritem_node(condition=
condition, document=document, search=search, content_type=
content_type, content=content, context_type=context_type,
negate=negation, nid=node_id)
comment = node.find('Comment')
if comment is not None:
comment_dict[node_id] = comment.text
new_node.append(new_ii_node)
elif node.tag == 'Indicator':
operator = node.get('operator')
if operator.upper() not in ['OR', 'AND']:
raise UpgradeError(
'Indicator@operator is not AND/OR. [%s] has [%s]' % (
node_id, operator))
new_i_node = ioc_api.make_indicator_node(operator, node_id)
new_node.append(new_i_node)
self.convert_branch(node, new_i_node, comment_dict)
else:
raise UpgradeError('node is not a Indicator/IndicatorItem')
return True
|
convert_branch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old_node, new_node, comment_dict=None):\n expected_tag = 'Indicator'\n if old_node.tag != expected_tag:\n raise UpgradeError('old_node expected tag is [%s]' % expected_tag)\n if not comment_dict:\n comment_dict = {}\n for node in old_node.getchildren():\n node_id = node.get('id')\n if node.tag == 'IndicatorItem':\n condition = node.get('condition')\n negation = False\n if condition.endswith('not'):\n negation = True\n condition = condition[:-3]\n document = node.xpath('Context/@document')[0]\n search = node.xpath('Context/@search')[0]\n content_type = node.xpath('Content/@type')[0]\n content = node.findtext('Content')\n context_type = node.xpath('Context/@type')[0]\n new_ii_node = ioc_api.make_indicatoritem_node(condition=\n condition, document=document, search=search, content_type=\n content_type, content=content, context_type=context_type,\n negate=negation, nid=node_id)\n comment = node.find('Comment')\n if comment is not None:\n comment_dict[node_id] = comment.text\n new_node.append(new_ii_node)\n elif node.tag == 'Indicator':\n operator = node.get('operator')\n if operator.upper() not in ['OR', 'AND']:\n raise UpgradeError(\n 'Indicator@operator is not AND/OR. [%s] has [%s]' % (\n node_id, operator))\n new_i_node = ioc_api.make_indicator_node(operator, node_id)\n new_node.append(new_i_node)\n self.convert_branch(node, new_i_node, comment_dict)\n else:\n raise UpgradeError('node is not a Indicator/IndicatorItem')\n return True\n",
"role": "user"
},
{
"content": "convert_branch",
"role": "assistant"
}
] |
def x(self, filename):
errors = []
if os.path.isfile(filename):
log.info('loading IOC from: {}'.format(filename))
try:
self.parse(ioc_api.IOC(filename))
except ioc_api.IOCParseError:
log.exception('Parse Error')
errors.append(filename)
elif os.path.isdir(filename):
log.info('loading IOCs from: {}'.format(filename))
for fn in glob.glob(filename + os.path.sep + '*.ioc'):
if not os.path.isfile(fn):
continue
else:
try:
self.parse(ioc_api.IOC(fn))
except ioc_api.IOCParseError:
log.exception('Parse Error')
errors.append(fn)
else:
pass
log.info('Parsed [{}] IOCs'.format(len(self)))
return errors
|
insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n errors = []\n if os.path.isfile(filename):\n log.info('loading IOC from: {}'.format(filename))\n try:\n self.parse(ioc_api.IOC(filename))\n except ioc_api.IOCParseError:\n log.exception('Parse Error')\n errors.append(filename)\n elif os.path.isdir(filename):\n log.info('loading IOCs from: {}'.format(filename))\n for fn in glob.glob(filename + os.path.sep + '*.ioc'):\n if not os.path.isfile(fn):\n continue\n else:\n try:\n self.parse(ioc_api.IOC(fn))\n except ioc_api.IOCParseError:\n log.exception('Parse Error')\n errors.append(fn)\n else:\n pass\n log.info('Parsed [{}] IOCs'.format(len(self)))\n return errors\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(self, ioc_obj):
if ioc_obj is None:
return
iocid = ioc_obj.iocid
try:
sd = ioc_obj.metadata.xpath('.//short_description/text()')[0]
except IndexError:
sd = 'NoName'
if iocid in self.iocs:
msg = (
'duplicate IOC UUID [{}] [orig_shortName: {}][new_shortName: {}]'
.format(iocid, self.ioc_name[iocid], sd))
log.warning(msg)
self.iocs[iocid] = ioc_obj
self.ioc_name[iocid] = sd
if self.parser_callback:
self.parser_callback(ioc_obj)
return True
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ioc_obj):\n if ioc_obj is None:\n return\n iocid = ioc_obj.iocid\n try:\n sd = ioc_obj.metadata.xpath('.//short_description/text()')[0]\n except IndexError:\n sd = 'NoName'\n if iocid in self.iocs:\n msg = (\n 'duplicate IOC UUID [{}] [orig_shortName: {}][new_shortName: {}]'\n .format(iocid, self.ioc_name[iocid], sd))\n log.warning(msg)\n self.iocs[iocid] = ioc_obj\n self.ioc_name[iocid] = sd\n if self.parser_callback:\n self.parser_callback(ioc_obj)\n return True\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, func):
if hasattr(func, '__call__'):
self.parser_callback = func
log.debug('Set callback to {}'.format(func))
else:
raise TypeError('Provided function is not callable: {}'.format(func))
|
register_parser_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n if hasattr(func, '__call__'):\n self.parser_callback = func\n log.debug('Set callback to {}'.format(func))\n else:\n raise TypeError('Provided function is not callable: {}'.format(func))\n",
"role": "user"
},
{
"content": "register_parser_callback",
"role": "assistant"
}
] |
def x(self, permission):
parent_url = self.client.get_url(self.parent_object._manager._URL_KEY,
'GET', 'single', {'id': self.parent_object.id})
target_url = parent_url + self.client.get_url_path(self._URL_KEY,
'POST', 'single')
r = self.client.request('POST', target_url, json=permission._serialize())
return permission._deserialize(r.json(), self)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, permission):\n parent_url = self.client.get_url(self.parent_object._manager._URL_KEY,\n 'GET', 'single', {'id': self.parent_object.id})\n target_url = parent_url + self.client.get_url_path(self._URL_KEY,\n 'POST', 'single')\n r = self.client.request('POST', target_url, json=permission._serialize())\n return permission._deserialize(r.json(), self)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, permissions):
parent_url = self.client.get_url(self.parent_object._manager._URL_KEY,
'GET', 'single', {'id': self.parent_object.id})
target_url = parent_url + self.client.get_url_path(self._URL_KEY, 'PUT',
'multi')
r = self.client.request('PUT', target_url, json=permissions)
if r.status_code != 201:
raise exceptions.ServerError('Expected 201 response, got %s: %s' %
(r.status_code, target_url))
return self.list()
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, permissions):\n parent_url = self.client.get_url(self.parent_object._manager._URL_KEY,\n 'GET', 'single', {'id': self.parent_object.id})\n target_url = parent_url + self.client.get_url_path(self._URL_KEY, 'PUT',\n 'multi')\n r = self.client.request('PUT', target_url, json=permissions)\n if r.status_code != 201:\n raise exceptions.ServerError('Expected 201 response, got %s: %s' %\n (r.status_code, target_url))\n return self.list()\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self):
parent_url = self.client.get_url(self.parent_object._manager._URL_KEY,
'GET', 'single', {'id': self.parent_object.id})
target_url = parent_url + self.client.get_url_path(self._URL_KEY, 'GET',
'multi')
return base.Query(self, target_url)
|
list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parent_url = self.client.get_url(self.parent_object._manager._URL_KEY,\n 'GET', 'single', {'id': self.parent_object.id})\n target_url = parent_url + self.client.get_url_path(self._URL_KEY, 'GET',\n 'multi')\n return base.Query(self, target_url)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, permission_id, expand=[]):
parent_url = self.client.get_url(self.parent_object._manager._URL_KEY,
'GET', 'single', {'id': self.parent_object.id})
target_url = parent_url + self.client.get_url_path(self._URL_KEY, 'GET',
'single', {'permission_id': permission_id})
return self._get(target_url, expand=expand)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, permission_id, expand=[]):\n parent_url = self.client.get_url(self.parent_object._manager._URL_KEY,\n 'GET', 'single', {'id': self.parent_object.id})\n target_url = parent_url + self.client.get_url_path(self._URL_KEY, 'GET',\n 'single', {'permission_id': permission_id})\n return self._get(target_url, expand=expand)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x():
configpath = get_configpath()
if not configpath.exists():
raise IOError('Config file {} not found.'.format(str(configpath)))
else:
config = configparser.ConfigParser()
config.read(str(configpath))
return config
|
get_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n configpath = get_configpath()\n if not configpath.exists():\n raise IOError('Config file {} not found.'.format(str(configpath)))\n else:\n config = configparser.ConfigParser()\n config.read(str(configpath))\n return config\n",
"role": "user"
},
{
"content": "get_config",
"role": "assistant"
}
] |
def x(dbfolder):
configpath = get_configpath()
try:
d = get_config()
except IOError:
d = configparser.ConfigParser()
d['pyciss_db'] = {}
d['pyciss_db']['path'] = dbfolder
with configpath.open('w') as f:
d.write(f)
print('Saved database path into {}.'.format(configpath))
|
set_database_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbfolder):\n configpath = get_configpath()\n try:\n d = get_config()\n except IOError:\n d = configparser.ConfigParser()\n d['pyciss_db'] = {}\n d['pyciss_db']['path'] = dbfolder\n with configpath.open('w') as f:\n d.write(f)\n print('Saved database path into {}.'.format(configpath))\n",
"role": "user"
},
{
"content": "set_database_path",
"role": "assistant"
}
] |
def x():
d = get_config()
dbroot = Path(d['pyciss_db']['path'])
dbroot.mkdir(exist_ok=True)
return dbroot
|
get_db_root
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n d = get_config()\n dbroot = Path(d['pyciss_db']['path'])\n dbroot.mkdir(exist_ok=True)\n return dbroot\n",
"role": "user"
},
{
"content": "get_db_root",
"role": "assistant"
}
] |
def x():
dbroot = get_db_root()
n_ids = len(list(dbroot.glob('[N,W]*')))
print('Number of WACs and NACs in database: {}'.format(n_ids))
print('These kind of data are in the database: (returning pd.DataFrame)')
d = {}
for key, val in PathManager.extensions.items():
d[key] = [len(list(dbroot.glob('**/*' + val)))]
return pd.DataFrame(d)
|
print_db_stats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n dbroot = get_db_root()\n n_ids = len(list(dbroot.glob('[N,W]*')))\n print('Number of WACs and NACs in database: {}'.format(n_ids))\n print('These kind of data are in the database: (returning pd.DataFrame)')\n d = {}\n for key, val in PathManager.extensions.items():\n d[key] = [len(list(dbroot.glob('**/*' + val)))]\n return pd.DataFrame(d)\n",
"role": "user"
},
{
"content": "print_db_stats",
"role": "assistant"
}
] |
def x(label):
val = getkey(from_=label, keyword='INST_CMPRS_TYPE').decode().strip()
if val == 'LOSSY':
return True
else:
return False
|
is_lossy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(label):\n val = getkey(from_=label, keyword='INST_CMPRS_TYPE').decode().strip()\n if val == 'LOSSY':\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "is_lossy",
"role": "assistant"
}
] |
def x(list_of_ids, n=None):
setup_cluster(n_cores=n)
c = Client()
lbview = c.load_balanced_view()
lbview.map_async(download_and_calibrate, list_of_ids)
subprocess.Popen(['ipcluster', 'stop', '--quiet'])
|
download_and_calibrate_parallel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(list_of_ids, n=None):\n setup_cluster(n_cores=n)\n c = Client()\n lbview = c.load_balanced_view()\n lbview.map_async(download_and_calibrate, list_of_ids)\n subprocess.Popen(['ipcluster', 'stop', '--quiet'])\n",
"role": "user"
},
{
"content": "download_and_calibrate_parallel",
"role": "assistant"
}
] |
def x(img_id=None, overwrite=False, recalibrate=False, **kwargs):
if isinstance(img_id, io.PathManager):
pm = img_id
else:
logger.debug('Creating Pathmanager object')
pm = io.PathManager(img_id)
if not pm.raw_image.exists() or overwrite is True:
logger.debug('Downloading file %s' % pm.img_id)
download_file_id(pm.img_id)
pm = io.PathManager(img_id)
else:
logger.info('Found ')
if not (pm.cubepath.exists() and pm.undestriped.exists()
) or overwrite is True:
calib = pipeline.Calibrator(img_id, **kwargs)
calib.standard_calib()
else:
print(
'All files exist. Use overwrite=True to redownload and calibrate.')
|
download_and_calibrate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(img_id=None, overwrite=False, recalibrate=False, **kwargs):\n if isinstance(img_id, io.PathManager):\n pm = img_id\n else:\n logger.debug('Creating Pathmanager object')\n pm = io.PathManager(img_id)\n if not pm.raw_image.exists() or overwrite is True:\n logger.debug('Downloading file %s' % pm.img_id)\n download_file_id(pm.img_id)\n pm = io.PathManager(img_id)\n else:\n logger.info('Found ')\n if not (pm.cubepath.exists() and pm.undestriped.exists()\n ) or overwrite is True:\n calib = pipeline.Calibrator(img_id, **kwargs)\n calib.standard_calib()\n else:\n print(\n 'All files exist. Use overwrite=True to redownload and calibrate.')\n",
"role": "user"
},
{
"content": "download_and_calibrate",
"role": "assistant"
}
] |
def x(self):
shape = 'ringplane' if self.is_ring_data else None
spiceinit(from_=self.pm.raw_cub, cksmithed='yes', spksmithed='yes',
shape=shape)
logger.info('spiceinit done.')
|
spiceinit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n shape = 'ringplane' if self.is_ring_data else None\n spiceinit(from_=self.pm.raw_cub, cksmithed='yes', spksmithed='yes',\n shape=shape)\n logger.info('spiceinit done.')\n",
"role": "user"
},
{
"content": "spiceinit",
"role": "assistant"
}
] |
def x(self):
if not self.is_ring_data:
return
targetname = getkey(from_=self.pm.raw_cub, grp='instrument', keyword=
'targetname')
if targetname.lower() != 'saturn':
editlab(from_=self.pm.raw_cub, options='modkey', keyword=
'TargetName', value='Saturn', grpname='Instrument')
|
check_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.is_ring_data:\n return\n targetname = getkey(from_=self.pm.raw_cub, grp='instrument', keyword=\n 'targetname')\n if targetname.lower() != 'saturn':\n editlab(from_=self.pm.raw_cub, options='modkey', keyword=\n 'TargetName', value='Saturn', grpname='Instrument')\n",
"role": "user"
},
{
"content": "check_label",
"role": "assistant"
}
] |
def x(self, content_types_supported):
if not isinstance(content_types_supported, list):
raise TypeError(
"Settings 'READTIME_CONTENT_SUPPORT' must bea list of content types."
)
self.content_type_supported = content_types_supported
|
set_supported_content_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content_types_supported):\n if not isinstance(content_types_supported, list):\n raise TypeError(\n \"Settings 'READTIME_CONTENT_SUPPORT' must bea list of content types.\"\n )\n self.content_type_supported = content_types_supported\n",
"role": "user"
},
{
"content": "set_supported_content_type",
"role": "assistant"
}
] |
def x(self, lang_settings):
is_int = isinstance(lang_settings, int)
is_dict = isinstance(lang_settings, dict)
if not is_int and not is_dict:
raise TypeError(
"Settings 'READTIME_WPM' must be either an int,or a dict with settings per language."
)
if is_int:
self.lang_settings['default']['wpm'] = lang_settings
elif is_dict:
for lang, conf in lang_settings.items():
if 'wpm' not in conf:
raise KeyError('Missing wpm value for thelanguage: {}'.
format(lang))
if not isinstance(conf['wpm'], int):
raise TypeError('WPM is not an integer for the language: {}'
.format(lang))
if 'min_singular' not in conf:
raise KeyError(
'Missing singular form for "minute" for the language: {}'
.format(lang))
if 'min_plural' not in conf:
raise KeyError(
'Missing plural form for "minutes" for the language: {}'
.format(lang))
if 'sec_singular' not in conf:
raise KeyError(
'Missing singular form for "second" for the language: {}'
.format(lang))
if 'sec_plural' not in conf:
raise KeyError(
'Missing plural form for "seconds" for the language: {}'
.format(lang))
self.lang_settings = lang_settings
|
set_lang_settings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lang_settings):\n is_int = isinstance(lang_settings, int)\n is_dict = isinstance(lang_settings, dict)\n if not is_int and not is_dict:\n raise TypeError(\n \"Settings 'READTIME_WPM' must be either an int,or a dict with settings per language.\"\n )\n if is_int:\n self.lang_settings['default']['wpm'] = lang_settings\n elif is_dict:\n for lang, conf in lang_settings.items():\n if 'wpm' not in conf:\n raise KeyError('Missing wpm value for thelanguage: {}'.\n format(lang))\n if not isinstance(conf['wpm'], int):\n raise TypeError('WPM is not an integer for the language: {}'\n .format(lang))\n if 'min_singular' not in conf:\n raise KeyError(\n 'Missing singular form for \"minute\" for the language: {}'\n .format(lang))\n if 'min_plural' not in conf:\n raise KeyError(\n 'Missing plural form for \"minutes\" for the language: {}'\n .format(lang))\n if 'sec_singular' not in conf:\n raise KeyError(\n 'Missing singular form for \"second\" for the language: {}'\n .format(lang))\n if 'sec_plural' not in conf:\n raise KeyError(\n 'Missing plural form for \"seconds\" for the language: {}'\n .format(lang))\n self.lang_settings = lang_settings\n",
"role": "user"
},
{
"content": "set_lang_settings",
"role": "assistant"
}
] |
def x(self, sender):
try:
self.initialized = True
settings_content_types = sender.settings.get('READTIME_CONTENT_SUPPORT'
, self.content_type_supported)
self._set_supported_content_type(settings_content_types)
lang_settings = sender.settings.get('READTIME_WPM', self.lang_settings)
self._set_lang_settings(lang_settings)
except Exception as e:
raise Exception('ReadTime Plugin: %s' % str(e))
|
initialize_settings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender):\n try:\n self.initialized = True\n settings_content_types = sender.settings.get('READTIME_CONTENT_SUPPORT'\n , self.content_type_supported)\n self._set_supported_content_type(settings_content_types)\n lang_settings = sender.settings.get('READTIME_WPM', self.lang_settings)\n self._set_lang_settings(lang_settings)\n except Exception as e:\n raise Exception('ReadTime Plugin: %s' % str(e))\n",
"role": "user"
},
{
"content": "initialize_settings",
"role": "assistant"
}
] |
def x(self, content):
if get_class_name(content) in self.content_type_supported:
if hasattr(content, 'readtime'):
return None
default_lang_conf = self.lang_settings['default']
lang_conf = self.lang_settings.get(content.lang, default_lang_conf)
avg_reading_wpm = lang_conf['wpm']
num_words = len(content._content.split())
minutes = num_words // avg_reading_wpm
seconds = int(num_words / avg_reading_wpm * 60 - minutes * 60)
minutes_str = self.pluralize(minutes, lang_conf['min_singular'],
lang_conf['min_plural'])
seconds_str = self.pluralize(seconds, lang_conf['sec_singular'],
lang_conf['sec_plural'])
content.readtime = minutes
content.readtime_string = minutes_str
content.readtime_with_seconds = minutes, seconds
content.readtime_string_with_seconds = '{}, {}'.format(minutes_str,
seconds_str)
|
read_time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n if get_class_name(content) in self.content_type_supported:\n if hasattr(content, 'readtime'):\n return None\n default_lang_conf = self.lang_settings['default']\n lang_conf = self.lang_settings.get(content.lang, default_lang_conf)\n avg_reading_wpm = lang_conf['wpm']\n num_words = len(content._content.split())\n minutes = num_words // avg_reading_wpm\n seconds = int(num_words / avg_reading_wpm * 60 - minutes * 60)\n minutes_str = self.pluralize(minutes, lang_conf['min_singular'],\n lang_conf['min_plural'])\n seconds_str = self.pluralize(seconds, lang_conf['sec_singular'],\n lang_conf['sec_plural'])\n content.readtime = minutes\n content.readtime_string = minutes_str\n content.readtime_with_seconds = minutes, seconds\n content.readtime_string_with_seconds = '{}, {}'.format(minutes_str,\n seconds_str)\n",
"role": "user"
},
{
"content": "read_time",
"role": "assistant"
}
] |
def x(self, measure, singular, plural):
if measure == 1:
return '{} {}'.format(measure, singular)
else:
return '{} {}'.format(measure, plural)
|
pluralize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, measure, singular, plural):\n if measure == 1:\n return '{} {}'.format(measure, singular)\n else:\n return '{} {}'.format(measure, plural)\n",
"role": "user"
},
{
"content": "pluralize",
"role": "assistant"
}
] |
def x(self, source_id):
target_url = self.client.get_url('DATASOURCE', 'GET', 'multi', {
'source_id': source_id})
return base.Query(self.client.get_manager(Datasource), target_url)
|
list_datasources
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_id):\n target_url = self.client.get_url('DATASOURCE', 'GET', 'multi', {\n 'source_id': source_id})\n return base.Query(self.client.get_manager(Datasource), target_url)\n",
"role": "user"
},
{
"content": "list_datasources",
"role": "assistant"
}
] |
def x(self, source_id, datasource_id):
target_url = self.client.get_url('DATASOURCE', 'GET', 'single', {
'source_id': source_id, 'datasource_id': datasource_id})
return self.client.get_manager(Datasource)._get(target_url)
|
get_datasource
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_id, datasource_id):\n target_url = self.client.get_url('DATASOURCE', 'GET', 'single', {\n 'source_id': source_id, 'datasource_id': datasource_id})\n return self.client.get_manager(Datasource)._get(target_url)\n",
"role": "user"
},
{
"content": "get_datasource",
"role": "assistant"
}
] |
def x(self, source_id=None):
if source_id:
target_url = self.client.get_url('SCAN', 'GET', 'multi', {
'source_id': source_id})
else:
target_url = self.client.get_ulr('SCAN', 'GET', 'all')
return base.Query(self.client.get_manager(Scan), target_url)
|
list_scans
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_id=None):\n if source_id:\n target_url = self.client.get_url('SCAN', 'GET', 'multi', {\n 'source_id': source_id})\n else:\n target_url = self.client.get_ulr('SCAN', 'GET', 'all')\n return base.Query(self.client.get_manager(Scan), target_url)\n",
"role": "user"
},
{
"content": "list_scans",
"role": "assistant"
}
] |
def x(self, source_id, scan_id):
target_url = self.client.get_url('SCAN', 'GET', 'single', {'source_id':
source_id, 'scan_id': scan_id})
return self.client.get_manager(Scan)._get(target_url)
|
get_scan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_id, scan_id):\n target_url = self.client.get_url('SCAN', 'GET', 'single', {'source_id':\n source_id, 'scan_id': scan_id})\n return self.client.get_manager(Scan)._get(target_url)\n",
"role": "user"
},
{
"content": "get_scan",
"role": "assistant"
}
] |
def x(self, source_id, scan_id):
return self.client.get_manager(Scan).get_log_lines(source_id=source_id,
scan_id=scan_id)
|
get_scan_log_lines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_id, scan_id):\n return self.client.get_manager(Scan).get_log_lines(source_id=source_id,\n scan_id=scan_id)\n",
"role": "user"
},
{
"content": "get_scan_log_lines",
"role": "assistant"
}
] |
def x(self, source_id):
target_url = self.client.get_url('SCAN', 'POST', 'create', {'source_id':
source_id})
r = self.client.request('POST', target_url, json={})
return self.client.get_manager(Scan).create_from_result(r.json())
|
start_scan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_id):\n target_url = self.client.get_url('SCAN', 'POST', 'create', {'source_id':\n source_id})\n r = self.client.request('POST', target_url, json={})\n return self.client.get_manager(Scan).create_from_result(r.json())\n",
"role": "user"
},
{
"content": "start_scan",
"role": "assistant"
}
] |
def x(self, with_data=False):
r = self._client.request('PUT', self.url, json=self._serialize(
with_data=with_data))
return self._deserialize(r.json(), self._manager)
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, with_data=False):\n r = self._client.request('PUT', self.url, json=self._serialize(\n with_data=with_data))\n return self._deserialize(r.json(), self._manager)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self):
r = self._client.request('DELETE', self.url)
logger.info('delete(): %s', r.status_code)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = self._client.request('DELETE', self.url)\n logger.info('delete(): %s', r.status_code)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, fp, upload_path=None, content_type=None):
if isinstance(fp, six.string_types):
if not os.path.isfile(fp):
raise ClientValidationError('Invalid file: %s', fp)
if not upload_path:
upload_path = os.path.split(fp)[1]
elif not upload_path:
upload_path = os.path.split(fp.name)[1]
content_type = content_type or mimetypes.guess_type(upload_path, strict
=False)[0]
if upload_path in self._files:
raise ClientValidationError('Duplicate upload path: %s' % upload_path)
self._files[upload_path] = fp, content_type
logger.debug('UploadSource.add_file: %s -> %s (%s)', repr(fp),
upload_path, content_type)
|
add_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fp, upload_path=None, content_type=None):\n if isinstance(fp, six.string_types):\n if not os.path.isfile(fp):\n raise ClientValidationError('Invalid file: %s', fp)\n if not upload_path:\n upload_path = os.path.split(fp)[1]\n elif not upload_path:\n upload_path = os.path.split(fp.name)[1]\n content_type = content_type or mimetypes.guess_type(upload_path, strict\n =False)[0]\n if upload_path in self._files:\n raise ClientValidationError('Duplicate upload path: %s' % upload_path)\n self._files[upload_path] = fp, content_type\n logger.debug('UploadSource.add_file: %s -> %s (%s)', repr(fp),\n upload_path, content_type)\n",
"role": "user"
},
{
"content": "add_file",
"role": "assistant"
}
] |
def x(self, source_id, scan_id):
target_url = self.client.get_url('SCAN', 'GET', 'log', {'source_id':
source_id, 'scan_id': scan_id})
r = self.client.request('GET', target_url, headers={'Accept':
'text/plain'}, stream=True)
return r.iter_lines(decode_unicode=True)
|
get_log_lines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_id, scan_id):\n target_url = self.client.get_url('SCAN', 'GET', 'log', {'source_id':\n source_id, 'scan_id': scan_id})\n r = self.client.request('GET', target_url, headers={'Accept':\n 'text/plain'}, stream=True)\n return r.iter_lines(decode_unicode=True)\n",
"role": "user"
},
{
"content": "get_log_lines",
"role": "assistant"
}
] |
def x(self):
rel = self._client.reverse_url('SCAN', self.url)
return self._manager.get_log_lines(**rel)
|
get_log_lines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rel = self._client.reverse_url('SCAN', self.url)\n return self._manager.get_log_lines(**rel)\n",
"role": "user"
},
{
"content": "get_log_lines",
"role": "assistant"
}
] |
def x(self, slug, jurisdiction=None):
if not slug.startswith('cc-by'):
raise exceptions.ClientValidationError(
"slug needs to start with 'cc-by'")
if jurisdiction is None:
jurisdiction = ''
target_url = self.client.get_url(self._URL_KEY, 'GET', 'cc', {'slug':
slug, 'jurisdiction': jurisdiction})
return self._get(target_url)
|
get_creative_commons
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug, jurisdiction=None):\n if not slug.startswith('cc-by'):\n raise exceptions.ClientValidationError(\n \"slug needs to start with 'cc-by'\")\n if jurisdiction is None:\n jurisdiction = ''\n target_url = self.client.get_url(self._URL_KEY, 'GET', 'cc', {'slug':\n slug, 'jurisdiction': jurisdiction})\n return self._get(target_url)\n",
"role": "user"
},
{
"content": "get_creative_commons",
"role": "assistant"
}
] |
def x(arr, relative=True):
with warnings.catch_warnings():
warnings.simplefilter('ignore')
med = np.nanmedian(arr, axis=1)
mad = np.nanmedian(np.abs(arr - med[:, np.newaxis]), axis=1)
if relative:
return mad / med
else:
return mad
|
mad
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr, relative=True):\n with warnings.catch_warnings():\n warnings.simplefilter('ignore')\n med = np.nanmedian(arr, axis=1)\n mad = np.nanmedian(np.abs(arr - med[:, np.newaxis]), axis=1)\n if relative:\n return mad / med\n else:\n return mad\n",
"role": "user"
},
{
"content": "mad",
"role": "assistant"
}
] |
def x(cube):
i = 0
while pd.Series(cube.img[:, i]).count() < 200:
i += 1
return max(i, 20)
|
calc_offset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cube):\n i = 0\n while pd.Series(cube.img[:, i]).count() < 200:\n i += 1\n return max(i, 20)\n",
"role": "user"
},
{
"content": "calc_offset",
"role": "assistant"
}
] |
def x(self, data=None, save=False, ax=None, interpolation='none',
extra_title=None, show_resonances='some', set_extent=True, equalized=
False, rmin=None, rmax=None, savepath='.', **kwargs):
if data is None:
data = self.img
if self.resonance_axis is not None:
logger.debug('removing resonance_axis')
self.resonance_axis.remove()
if equalized:
data = np.nan_to_num(data)
data[data < 0] = 0
data = exposure.equalize_hist(data)
self.plotted_data = data
extent_val = self.extent if set_extent else None
min_, max_ = self.plot_limits
self.min_ = min_
self.max_ = max_
if ax is None:
if not _SEABORN_INSTALLED:
fig, ax = plt.subplots(figsize=calc_4_3(8))
else:
fig, ax = plt.subplots()
else:
fig = ax.get_figure()
with quantity_support():
im = ax.imshow(data, extent=extent_val, cmap='gray', vmin=min_,
vmax=max_, interpolation=interpolation, origin='lower', aspect=
'auto', **kwargs)
if any([rmin is not None, rmax is not None]):
ax.set_ylim(rmin, rmax)
self.mpl_im = im
ax.set_xlabel('Longitude [deg]')
ax.set_ylabel('Radius [Mm]')
ax.ticklabel_format(useOffset=False)
title = self.plot_title
if extra_title:
title += ', ' + extra_title
ax.set_title(title, fontsize=12)
if show_resonances:
self.set_resonance_axis(ax, show_resonances, rmin, rmax)
if save:
savename = self.plotfname
if extra_title:
savename = savename[:-4] + '_' + extra_title + '.png'
p = Path(savename)
fullpath = Path(savepath) / p.name
fig.savefig(fullpath, dpi=150)
logging.info('Created %s', fullpath)
self.im = im
return im
|
imshow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=None, save=False, ax=None, interpolation='none',\n extra_title=None, show_resonances='some', set_extent=True, equalized=\n False, rmin=None, rmax=None, savepath='.', **kwargs):\n if data is None:\n data = self.img\n if self.resonance_axis is not None:\n logger.debug('removing resonance_axis')\n self.resonance_axis.remove()\n if equalized:\n data = np.nan_to_num(data)\n data[data < 0] = 0\n data = exposure.equalize_hist(data)\n self.plotted_data = data\n extent_val = self.extent if set_extent else None\n min_, max_ = self.plot_limits\n self.min_ = min_\n self.max_ = max_\n if ax is None:\n if not _SEABORN_INSTALLED:\n fig, ax = plt.subplots(figsize=calc_4_3(8))\n else:\n fig, ax = plt.subplots()\n else:\n fig = ax.get_figure()\n with quantity_support():\n im = ax.imshow(data, extent=extent_val, cmap='gray', vmin=min_,\n vmax=max_, interpolation=interpolation, origin='lower', aspect=\n 'auto', **kwargs)\n if any([rmin is not None, rmax is not None]):\n ax.set_ylim(rmin, rmax)\n self.mpl_im = im\n ax.set_xlabel('Longitude [deg]')\n ax.set_ylabel('Radius [Mm]')\n ax.ticklabel_format(useOffset=False)\n title = self.plot_title\n if extra_title:\n title += ', ' + extra_title\n ax.set_title(title, fontsize=12)\n if show_resonances:\n self.set_resonance_axis(ax, show_resonances, rmin, rmax)\n if save:\n savename = self.plotfname\n if extra_title:\n savename = savename[:-4] + '_' + extra_title + '.png'\n p = Path(savename)\n fullpath = Path(savepath) / p.name\n fig.savefig(fullpath, dpi=150)\n logging.info('Created %s', fullpath)\n self.im = im\n return im\n",
"role": "user"
},
{
"content": "imshow",
"role": "assistant"
}
] |
def x(self, response):
header_value = response.headers.get('x-resource-range', '')
m = re.match('\\d+-\\d+/(\\d+)$', header_value)
if m:
self._count = int(m.group(1))
else:
self._count = None
|
update_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response):\n header_value = response.headers.get('x-resource-range', '')\n m = re.match('\\\\d+-\\\\d+/(\\\\d+)$', header_value)\n if m:\n self._count = int(m.group(1))\n else:\n self._count = None\n",
"role": "user"
},
{
"content": "update_range",
"role": "assistant"
}
] |
def x(self):
url = self._target_url
params = collections.defaultdict(list, copy.deepcopy(self._filters))
if self._order_by is not None:
params['sort'] = self._order_by
for k, vl in self._extra.items():
params[k] += vl
if params:
url += '?' + urllib.parse.urlencode(params, doseq=True)
return url
|
to_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = self._target_url\n params = collections.defaultdict(list, copy.deepcopy(self._filters))\n if self._order_by is not None:\n params['sort'] = self._order_by\n for k, vl in self._extra.items():\n params[k] += vl\n if params:\n url += '?' + urllib.parse.urlencode(params, doseq=True)\n return url\n",
"role": "user"
},
{
"content": "to_url",
"role": "assistant"
}
] |
def x(self, **params):
q = self._clone()
for key, value in params.items():
q._extra[key].append(value)
return q
|
extra
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **params):\n q = self._clone()\n for key, value in params.items():\n q._extra[key].append(value)\n return q\n",
"role": "user"
},
{
"content": "extra",
"role": "assistant"
}
] |
def x(self, **filters):
q = self._clone()
for key, value in filters.items():
filter_key = re.split('__', key)
filter_attr = filter_key[0]
if filter_attr not in self._valid_filter_attrs:
raise ClientValidationError('Invalid filter attribute: %s' % key)
q._filters['.'.join(filter_key)].append(value)
return q
|
filter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **filters):\n q = self._clone()\n for key, value in filters.items():\n filter_key = re.split('__', key)\n filter_attr = filter_key[0]\n if filter_attr not in self._valid_filter_attrs:\n raise ClientValidationError('Invalid filter attribute: %s' % key)\n q._filters['.'.join(filter_key)].append(value)\n return q\n",
"role": "user"
},
{
"content": "filter",
"role": "assistant"
}
] |
def x(self, sort_key=None):
if sort_key is not None:
sort_attr = re.match('(-)?(.*)$', sort_key).group(2)
if sort_attr not in self._valid_sort_attrs:
raise ClientValidationError('Invalid ordering attribute: %s' %
sort_key)
q = self._clone()
q._order_by = sort_key
return q
|
order_by
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort_key=None):\n if sort_key is not None:\n sort_attr = re.match('(-)?(.*)$', sort_key).group(2)\n if sort_attr not in self._valid_sort_attrs:\n raise ClientValidationError('Invalid ordering attribute: %s' %\n sort_key)\n q = self._clone()\n q._order_by = sort_key\n return q\n",
"role": "user"
},
{
"content": "order_by",
"role": "assistant"
}
] |
def x(self, data):
if not isinstance(data, dict):
raise ValueError('Need to deserialize from a dict')
try:
skip = set(getattr(self._meta, 'deserialize_skip', []))
except AttributeError:
skip = []
for key, value in data.items():
if key not in skip:
value = self._deserialize_value(key, value)
setattr(self, key, value)
return self
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if not isinstance(data, dict):\n raise ValueError('Need to deserialize from a dict')\n try:\n skip = set(getattr(self._meta, 'deserialize_skip', []))\n except AttributeError:\n skip = []\n for key, value in data.items():\n if key not in skip:\n value = self._deserialize_value(key, value)\n setattr(self, key, value)\n return self\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(self, skip_empty=True):
skip = set(getattr(self._meta, 'serialize_skip', []))
r = {}
for k, v in self.__dict__.items():
if k.startswith('_'):
continue
elif k in skip:
continue
elif v is None and skip_empty:
continue
elif isinstance(v, (dict, list, tuple, set)) and len(v
) == 0 and skip_empty:
continue
else:
r[k] = self._serialize_value(v)
return r
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, skip_empty=True):\n skip = set(getattr(self._meta, 'serialize_skip', []))\n r = {}\n for k, v in self.__dict__.items():\n if k.startswith('_'):\n continue\n elif k in skip:\n continue\n elif v is None and skip_empty:\n continue\n elif isinstance(v, (dict, list, tuple, set)) and len(v\n ) == 0 and skip_empty:\n continue\n else:\n r[k] = self._serialize_value(v)\n return r\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, value):
if isinstance(value, (list, tuple, set)):
return [self._serialize_value(v) for v in value]
elif isinstance(value, dict):
return dict([(k, self._serialize_value(v)) for k, v in value.items()])
elif isinstance(value, ModelBase):
return value._serialize()
elif isinstance(value, datetime.date):
return value.isoformat()
else:
return value
|
serialize_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if isinstance(value, (list, tuple, set)):\n return [self._serialize_value(v) for v in value]\n elif isinstance(value, dict):\n return dict([(k, self._serialize_value(v)) for k, v in value.items()])\n elif isinstance(value, ModelBase):\n return value._serialize()\n elif isinstance(value, datetime.date):\n return value.isoformat()\n else:\n return value\n",
"role": "user"
},
{
"content": "serialize_value",
"role": "assistant"
}
] |
def x(self):
r = self._client.request('GET', self.url)
return self._deserialize(r.json(), self._manager)
|
refresh
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = self._client.request('GET', self.url)\n return self._deserialize(r.json(), self._manager)\n",
"role": "user"
},
{
"content": "refresh",
"role": "assistant"
}
] |
def x(self, croplayer_id, cropfeature_id):
target_url = self.client.get_url('CROPFEATURE', 'GET', 'single', {
'croplayer_id': croplayer_id, 'cropfeature_id': cropfeature_id})
return self.client.get_manager(CropFeature)._get(target_url)
|
get_feature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, croplayer_id, cropfeature_id):\n target_url = self.client.get_url('CROPFEATURE', 'GET', 'single', {\n 'croplayer_id': croplayer_id, 'cropfeature_id': cropfeature_id})\n return self.client.get_manager(CropFeature)._get(target_url)\n",
"role": "user"
},
{
"content": "get_feature",
"role": "assistant"
}
] |
def x(self, export):
target_url = self.client.get_url(self._URL_KEY, 'POST', 'create')
r = self.client.request('POST', target_url, json=export._serialize())
return export._deserialize(r.json(), self)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, export):\n target_url = self.client.get_url(self._URL_KEY, 'POST', 'create')\n r = self.client.request('POST', target_url, json=export._serialize())\n return export._deserialize(r.json(), self)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, export):
target_url = self.client.get_url(self._URL_KEY, 'POST', 'validate')
response_object = ExportValidationResponse()
r = self.client.request('POST', target_url, json=export._serialize())
return response_object._deserialize(r.json())
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, export):\n target_url = self.client.get_url(self._URL_KEY, 'POST', 'validate')\n response_object = ExportValidationResponse()\n r = self.client.request('POST', target_url, json=export._serialize())\n return response_object._deserialize(r.json())\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self):
if self._options_cache is None:
target_url = self.client.get_url(self._URL_KEY, 'OPTIONS', 'options')
r = self.client.request('OPTIONS', target_url)
self._options_cache = r.json()
return self._options_cache
|
options
|
[
{
"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._options_cache is None:\n target_url = self.client.get_url(self._URL_KEY, 'OPTIONS', 'options')\n r = self.client.request('OPTIONS', target_url)\n self._options_cache = r.json()\n return self._options_cache\n",
"role": "user"
},
{
"content": "options",
"role": "assistant"
}
] |
def x(self):
format_opts = self._options()['actions']['POST']['formats']['children']
r = {}
for kind, kind_opts in format_opts.items():
r[kind] = {c['value']: c['display_name'] for c in kind_opts['choices']}
return r
|
get_formats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n format_opts = self._options()['actions']['POST']['formats']['children']\n r = {}\n for kind, kind_opts in format_opts.items():\n r[kind] = {c['value']: c['display_name'] for c in kind_opts['choices']}\n return r\n",
"role": "user"
},
{
"content": "get_formats",
"role": "assistant"
}
] |
def x(self, item, **options):
export_item = {'item': item.url}
export_item.update(options)
self.items.append(export_item)
return self
|
add_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item, **options):\n export_item = {'item': item.url}\n export_item.update(options)\n self.items.append(export_item)\n return self\n",
"role": "user"
},
{
"content": "add_item",
"role": "assistant"
}
] |
def x(self, path, progress_callback=None, chunk_size=1024 ** 2):
if not self.download_url or self.state != 'complete':
raise DownloadError('Download not available')
download_filename = '{}.zip'.format(self.name)
fd = None
if isinstance(getattr(path, 'write', None), collections.Callable):
fd = path
elif os.path.isdir(path):
path = os.path.join(path, download_filename)
if os.path.exists(path):
raise DownloadError('Download file already exists: %s' % path)
elif path:
pass
elif not path:
raise DownloadError('Empty download file path')
with contextlib.ExitStack() as stack:
if not fd:
fd = open(path, 'wb')
stack.callback(fd.close)
r = self._manager.client.request('GET', self.download_url, stream=True)
stack.callback(r.close)
bytes_written = 0
try:
bytes_total = int(r.headers.get('content-length', None))
except TypeError:
bytes_total = None
if progress_callback:
progress_callback(bytes_written, bytes_total)
for chunk in r.iter_content(chunk_size=chunk_size):
fd.write(chunk)
bytes_written += len(chunk)
if progress_callback:
progress_callback(bytes_written, bytes_total)
return download_filename
|
download
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, progress_callback=None, chunk_size=1024 ** 2):\n if not self.download_url or self.state != 'complete':\n raise DownloadError('Download not available')\n download_filename = '{}.zip'.format(self.name)\n fd = None\n if isinstance(getattr(path, 'write', None), collections.Callable):\n fd = path\n elif os.path.isdir(path):\n path = os.path.join(path, download_filename)\n if os.path.exists(path):\n raise DownloadError('Download file already exists: %s' % path)\n elif path:\n pass\n elif not path:\n raise DownloadError('Empty download file path')\n with contextlib.ExitStack() as stack:\n if not fd:\n fd = open(path, 'wb')\n stack.callback(fd.close)\n r = self._manager.client.request('GET', self.download_url, stream=True)\n stack.callback(r.close)\n bytes_written = 0\n try:\n bytes_total = int(r.headers.get('content-length', None))\n except TypeError:\n bytes_total = None\n if progress_callback:\n progress_callback(bytes_written, bytes_total)\n for chunk in r.iter_content(chunk_size=chunk_size):\n fd.write(chunk)\n bytes_written += len(chunk)\n if progress_callback:\n progress_callback(bytes_written, bytes_total)\n return download_filename\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(cls, err):
import requests
if isinstance(err, requests.HTTPError):
status_code = err.response.status_code
return HTTP_ERRORS.get(status_code, cls)(error=err, response=err.
response)
else:
return cls(error=err)
|
from_requests_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, err):\n import requests\n if isinstance(err, requests.HTTPError):\n status_code = err.response.status_code\n return HTTP_ERRORS.get(status_code, cls)(error=err, response=err.\n response)\n else:\n return cls(error=err)\n",
"role": "user"
},
{
"content": "from_requests_error",
"role": "assistant"
}
] |
def x():
import argparse
import getpass
import re
import sys
import requests
from six.moves import input
from koordinates.client import Client
parser = argparse.ArgumentParser(description=
'Command line tool to create a Koordinates API Token.')
parser.add_argument('site', help=
'Domain (eg. labs.koordinates.com) for the Koordinates site.',
metavar='SITE')
parser.add_argument('email', help='User account email address', metavar
='EMAIL')
parser.add_argument('name', help='Description for the key', metavar='NAME')
parser.add_argument('--scopes', help='Scopes for the new API token',
nargs='+', metavar='SCOPE')
parser.add_argument('--referrers', help=
'Restrict the request referrers for the token. You can use * as a wildcard, eg. *.example.com'
, nargs='+', metavar='HOST')
parser.add_argument('--expires', help=
'Expiry time in ISO 8601 (YYYY-MM-DD) format', metavar='DATE')
args = parser.parse_args()
if not re.match(
'(?=^.{4,253}$)(^((?!-)[a-zA-Z0-9-]{1,63}(?<!-)\\.)+[a-zA-Z]{2,63}$)',
args.site):
parser.error("'%s' doesn't look like a valid domain name." % args.site)
if not re.match('[^@]+@[^@]+\\.[^@]+$', args.email):
parser.error("'%s' doesn't look like a valid email address." % args
.email)
password = getpass.getpass('Account password for %s: ' % args.email)
if not password:
parser.error('Empty password.')
expires_at = make_date(args.expires)
print('\nNew API Token Parameters:')
print(' Koordinates Site: %s' % args.site)
print(' User email address: %s' % args.email)
print(' Name: %s' % args.name)
print(' Scopes: %s' % ' '.join(args.scopes or ['(default)']))
print(' Referrer restrictions: %s' % ' '.join(args.referrers or [
'(none)']))
print(' Expires: %s' % (expires_at or '(never)'))
if input('Continue? [Yn] ').lower() == 'n':
sys.exit(1)
token = Token(name=args.name)
if args.scopes:
token.scopes = args.scopes
if args.referrers:
token.referrers = args.referrers
if expires_at:
token.expires_at = expires_at
print('\nRequesting token...')
client = Client(host=args.site, token='-dummy-')
try:
token = client.tokens.create(token, args.email, password)
except requests.HTTPError as e:
print('%s: %s' % (e, e.response.text))
if e.response.status_code == 401:
print(
' => Check your email address, password, and site domain carefully.'
)
sys.exit(1)
print('Token created successfully.\n Key: %s\n Scopes: %s' % (token.
key, token.scope))
|
console_create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import argparse\n import getpass\n import re\n import sys\n import requests\n from six.moves import input\n from koordinates.client import Client\n parser = argparse.ArgumentParser(description=\n 'Command line tool to create a Koordinates API Token.')\n parser.add_argument('site', help=\n 'Domain (eg. labs.koordinates.com) for the Koordinates site.',\n metavar='SITE')\n parser.add_argument('email', help='User account email address', metavar\n ='EMAIL')\n parser.add_argument('name', help='Description for the key', metavar='NAME')\n parser.add_argument('--scopes', help='Scopes for the new API token',\n nargs='+', metavar='SCOPE')\n parser.add_argument('--referrers', help=\n 'Restrict the request referrers for the token. You can use * as a wildcard, eg. *.example.com'\n , nargs='+', metavar='HOST')\n parser.add_argument('--expires', help=\n 'Expiry time in ISO 8601 (YYYY-MM-DD) format', metavar='DATE')\n args = parser.parse_args()\n if not re.match(\n '(?=^.{4,253}$)(^((?!-)[a-zA-Z0-9-]{1,63}(?<!-)\\\\.)+[a-zA-Z]{2,63}$)',\n args.site):\n parser.error(\"'%s' doesn't look like a valid domain name.\" % args.site)\n if not re.match('[^@]+@[^@]+\\\\.[^@]+$', args.email):\n parser.error(\"'%s' doesn't look like a valid email address.\" % args\n .email)\n password = getpass.getpass('Account password for %s: ' % args.email)\n if not password:\n parser.error('Empty password.')\n expires_at = make_date(args.expires)\n print('\\nNew API Token Parameters:')\n print(' Koordinates Site: %s' % args.site)\n print(' User email address: %s' % args.email)\n print(' Name: %s' % args.name)\n print(' Scopes: %s' % ' '.join(args.scopes or ['(default)']))\n print(' Referrer restrictions: %s' % ' '.join(args.referrers or [\n '(none)']))\n print(' Expires: %s' % (expires_at or '(never)'))\n if input('Continue? [Yn] ').lower() == 'n':\n sys.exit(1)\n token = Token(name=args.name)\n if args.scopes:\n token.scopes = args.scopes\n if args.referrers:\n token.referrers = args.referrers\n if expires_at:\n token.expires_at = expires_at\n print('\\nRequesting token...')\n client = Client(host=args.site, token='-dummy-')\n try:\n token = client.tokens.create(token, args.email, password)\n except requests.HTTPError as e:\n print('%s: %s' % (e, e.response.text))\n if e.response.status_code == 401:\n print(\n ' => Check your email address, password, and site domain carefully.'\n )\n sys.exit(1)\n print('Token created successfully.\\n Key: %s\\n Scopes: %s' % (token.\n key, token.scope))\n",
"role": "user"
},
{
"content": "console_create",
"role": "assistant"
}
] |
def x(self, id):
target_url = self.client.get_url('TOKEN', 'DELETE', 'single', {'id': id})
r = self.client.request('DELETE', target_url, headers={'Content-type':
'application/json'})
r.raise_for_status()
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id):\n target_url = self.client.get_url('TOKEN', 'DELETE', 'single', {'id': id})\n r = self.client.request('DELETE', target_url, headers={'Content-type':\n 'application/json'})\n r.raise_for_status()\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, token, email, password):
target_url = self.client.get_url('TOKEN', 'POST', 'create')
post_data = {'grant_type': 'password', 'username': email, 'password':
password, 'name': token.name}
if getattr(token, 'scope', None):
post_data['scope'] = token.scope
if getattr(token, 'expires_at', None):
post_data['expires_at'] = token.expires_at
if getattr(token, 'referrers', None):
post_data['referrers'] = token.referrers
r = self.client._raw_request('POST', target_url, json=post_data,
headers={'Content-type': 'application/json'})
return self.create_from_result(r.json())
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token, email, password):\n target_url = self.client.get_url('TOKEN', 'POST', 'create')\n post_data = {'grant_type': 'password', 'username': email, 'password':\n password, 'name': token.name}\n if getattr(token, 'scope', None):\n post_data['scope'] = token.scope\n if getattr(token, 'expires_at', None):\n post_data['expires_at'] = token.expires_at\n if getattr(token, 'referrers', None):\n post_data['referrers'] = token.referrers\n r = self.client._raw_request('POST', target_url, json=post_data,\n headers={'Content-type': 'application/json'})\n return self.create_from_result(r.json())\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x():
indexdir = get_index_dir()
path = indexdir / 'COISS_2999_index.hdf'
try:
df = pd.read_hdf(path, 'df')
except FileNotFoundError:
path = indexdir / 'cumindex.hdf'
df = pd.read_hdf(path, 'df')
df = df.replace(-1e+32, np.nan)
return df.replace(-999.0, np.nan)
|
read_cumulative_iss_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n indexdir = get_index_dir()\n path = indexdir / 'COISS_2999_index.hdf'\n try:\n df = pd.read_hdf(path, 'df')\n except FileNotFoundError:\n path = indexdir / 'cumindex.hdf'\n df = pd.read_hdf(path, 'df')\n df = df.replace(-1e+32, np.nan)\n return df.replace(-999.0, np.nan)\n",
"role": "user"
},
{
"content": "read_cumulative_iss_index",
"role": "assistant"
}
] |
def x():
meta = read_cumulative_iss_index()
ringfilter = meta.TARGET_DESC.str.contains('ring', case=False)
return meta[ringfilter]
|
read_ring_images_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n meta = read_cumulative_iss_index()\n ringfilter = meta.TARGET_DESC.str.contains('ring', case=False)\n return meta[ringfilter]\n",
"role": "user"
},
{
"content": "read_ring_images_index",
"role": "assistant"
}
] |
def x(clearnacs, spanlimit):
delta = clearnacs.MAXIMUM_RING_RADIUS - clearnacs.MINIMUM_RING_RADIUS
f = delta < spanlimit
ringspan = clearnacs[f].copy()
return ringspan
|
filter_for_ringspan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clearnacs, spanlimit):\n delta = clearnacs.MAXIMUM_RING_RADIUS - clearnacs.MINIMUM_RING_RADIUS\n f = delta < spanlimit\n ringspan = clearnacs[f].copy()\n return ringspan\n",
"role": "user"
},
{
"content": "filter_for_ringspan",
"role": "assistant"
}
] |
def x(self, publish):
target_url = self.client.get_url('PUBLISH', 'POST', 'create')
r = self.client.request('POST', target_url, json=publish._serialize())
return self.create_from_result(r.json())
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, publish):\n target_url = self.client.get_url('PUBLISH', 'POST', 'create')\n r = self.client.request('POST', target_url, json=publish._serialize())\n return self.create_from_result(r.json())\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self):
target_url = self._client.get_url('PUBLISH', 'DELETE', 'single', {'id':
self.id})
r = self._client.request('DELETE', target_url)
logger.info('cancel(): %s', r.status_code)
|
cancel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n target_url = self._client.get_url('PUBLISH', 'DELETE', 'single', {'id':\n self.id})\n r = self._client.request('DELETE', target_url)\n logger.info('cancel(): %s', r.status_code)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self):
from .layers import Layer
results = []
for url in self.items:
if '/layers/' in url:
r = self._client.request('GET', url)
results.append(self._client.get_manager(Layer).
create_from_result(r.json()))
else:
raise NotImplementedError('No support for %s' % url)
return results
|
get_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from .layers import Layer\n results = []\n for url in self.items:\n if '/layers/' in url:\n r = self._client.request('GET', url)\n results.append(self._client.get_manager(Layer).\n create_from_result(r.json()))\n else:\n raise NotImplementedError('No support for %s' % url)\n return results\n",
"role": "user"
},
{
"content": "get_items",
"role": "assistant"
}
] |
def x(self, layer):
if not layer.is_draft_version:
raise ValueError("Layer isn't a draft version")
self.items.append(layer.latest_version)
|
add_layer_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layer):\n if not layer.is_draft_version:\n raise ValueError(\"Layer isn't a draft version\")\n self.items.append(layer.latest_version)\n",
"role": "user"
},
{
"content": "add_layer_item",
"role": "assistant"
}
] |
def x(self, table):
if not table.is_draft_version:
raise ValueError("Table isn't a draft version")
self.items.append(table.latest_version)
|
add_table_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n if not table.is_draft_version:\n raise ValueError(\"Table isn't a draft version\")\n self.items.append(table.latest_version)\n",
"role": "user"
},
{
"content": "add_table_item",
"role": "assistant"
}
] |
def x(ax, newticks, newnames):
ticks = list(ax.get_xticks())
ticks.extend(newticks)
ax.set_xticks(ticks)
names = list(ax.get_xticklabels())
names.extend(newnames)
ax.set_xticklabels(names)
|
add_ticks_to_x
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax, newticks, newnames):\n ticks = list(ax.get_xticks())\n ticks.extend(newticks)\n ax.set_xticks(ticks)\n names = list(ax.get_xticklabels())\n names.extend(newnames)\n ax.set_xticklabels(names)\n",
"role": "user"
},
{
"content": "add_ticks_to_x",
"role": "assistant"
}
] |
def x(self, set):
target_url = self.client.get_url('SET', 'POST', 'create')
r = self.client.request('POST', target_url, json=set._serialize())
return set._deserialize(r.json(), self)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set):\n target_url = self.client.get_url('SET', 'POST', 'create')\n r = self.client.request('POST', target_url, json=set._serialize())\n return set._deserialize(r.json(), self)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, set_id, fp):
base_url = self.client.get_url('SET', 'GET', 'single', {'id': set_id})
self._metadata.set(base_url, fp)
|
set_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set_id, fp):\n base_url = self.client.get_url('SET', 'GET', 'single', {'id': set_id})\n self._metadata.set(base_url, fp)\n",
"role": "user"
},
{
"content": "set_metadata",
"role": "assistant"
}
] |
def x(self, fp):
base_url = self._client.get_url('SET', 'GET', 'single', {'id': self.id})
self._manager._metadata.set(base_url, fp)
r = self._client.request('GET', base_url)
return self._deserialize(r.json(), self._manager)
|
set_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fp):\n base_url = self._client.get_url('SET', 'GET', 'single', {'id': self.id})\n self._manager._metadata.set(base_url, fp)\n r = self._client.request('GET', base_url)\n return self._deserialize(r.json(), self._manager)\n",
"role": "user"
},
{
"content": "set_metadata",
"role": "assistant"
}
] |
def x(self, parent_url, fp):
url = parent_url + self.client.get_url_path('METADATA', 'POST', 'set', {})
r = self.client.request('POST', url, data=fp, headers={'Content-Type':
'text/xml'})
if r.status_code not in [200, 201]:
raise exceptions.ServerError(
'Expected success response, got %s: %s' % (r.status_code, url))
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_url, fp):\n url = parent_url + self.client.get_url_path('METADATA', 'POST', 'set', {})\n r = self.client.request('POST', url, data=fp, headers={'Content-Type':\n 'text/xml'})\n if r.status_code not in [200, 201]:\n raise exceptions.ServerError(\n 'Expected success response, got %s: %s' % (r.status_code, url))\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, fp, format=FORMAT_NATIVE):
r = self._client.request('GET', getattr(self, format), stream=True)
filename = stream.stream_response_to_file(r, path=fp)
return filename
|
get_xml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fp, format=FORMAT_NATIVE):\n r = self._client.request('GET', getattr(self, format), stream=True)\n filename = stream.stream_response_to_file(r, path=fp)\n return filename\n",
"role": "user"
},
{
"content": "get_xml",
"role": "assistant"
}
] |
def x(self):
formats = []
for key in (self.FORMAT_DC, self.FORMAT_FGDC, self.FORMAT_ISO):
if hasattr(self, key):
formats.append(key)
return formats
|
get_formats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n formats = []\n for key in (self.FORMAT_DC, self.FORMAT_FGDC, self.FORMAT_ISO):\n if hasattr(self, key):\n formats.append(key)\n return formats\n",
"role": "user"
},
{
"content": "get_formats",
"role": "assistant"
}
] |
def x(method):
@functools.wraps(method)
def x(self, *args, **kwargs):
if not self._is_bound:
raise ValueError('%r must be bound to call %s()' % (self,
method.__name__))
return method(self, *args, **kwargs)
return wrapper
|
is_bound
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method):\n\n @functools.wraps(method)\n def x(self, *args, **kwargs):\n if not self._is_bound:\n raise ValueError('%r must be bound to call %s()' % (self,\n method.__name__))\n return method(self, *args, **kwargs)\n return wrapper\n",
"role": "user"
},
{
"content": "is_bound",
"role": "assistant"
}
] |
def x(self, image_id):
myquery = {'primaryfilespec': image_id}
self.create_files_request(myquery, fmt='json')
self.unpack_json_response()
return self.obsids
|
query_image_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image_id):\n myquery = {'primaryfilespec': image_id}\n self.create_files_request(myquery, fmt='json')\n self.unpack_json_response()\n return self.obsids\n",
"role": "user"
},
{
"content": "query_image_id",
"role": "assistant"
}
] |
def x(self, kind, query, size='thumb', fmt='json'):
if kind == 'data' or kind == 'files':
url = '{}/{}.{}'.format(base_url, kind, fmt)
elif kind == 'images':
url = '{}/images/{}.{}'.format(base_url, size, fmt)
self.url = url
self.r = requests.get(url, params=unquote(urlencode(query)))
|
create_request_with_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kind, query, size='thumb', fmt='json'):\n if kind == 'data' or kind == 'files':\n url = '{}/{}.{}'.format(base_url, kind, fmt)\n elif kind == 'images':\n url = '{}/images/{}.{}'.format(base_url, size, fmt)\n self.url = url\n self.r = requests.get(url, params=unquote(urlencode(query)))\n",
"role": "user"
},
{
"content": "create_request_with_query",
"role": "assistant"
}
] |
def x(self, t1, t2, target=None):
try:
t1 = t1.isoformat()
t2 = t2.isoformat()
except AttributeError:
pass
myquery = self._get_time_query(t1, t2)
if target is not None:
myquery['target'] = target
self.create_files_request(myquery, fmt='json')
self.unpack_json_response()
|
get_between_times
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t1, t2, target=None):\n try:\n t1 = t1.isoformat()\n t2 = t2.isoformat()\n except AttributeError:\n pass\n myquery = self._get_time_query(t1, t2)\n if target is not None:\n myquery['target'] = target\n self.create_files_request(myquery, fmt='json')\n self.unpack_json_response()\n",
"role": "user"
},
{
"content": "get_between_times",
"role": "assistant"
}
] |
def x(self, size='small'):
d = dict(small=256, med=512, thumb=100, full=1024)
try:
width = d[size]
except KeyError:
print('Allowed keys:', d.keys())
return
img_urls = [i._get_img_url(size) for i in self.obsids]
imagesList = ''.join([
"<img style='width: {0}px; margin: 0px; float: left; border: 1px solid black;' src='{1}' />"
.format(width, s) for s in img_urls])
display(HTML(imagesList))
|
show_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size='small'):\n d = dict(small=256, med=512, thumb=100, full=1024)\n try:\n width = d[size]\n except KeyError:\n print('Allowed keys:', d.keys())\n return\n img_urls = [i._get_img_url(size) for i in self.obsids]\n imagesList = ''.join([\n \"<img style='width: {0}px; margin: 0px; float: left; border: 1px solid black;' src='{1}' />\"\n .format(width, s) for s in img_urls])\n display(HTML(imagesList))\n",
"role": "user"
},
{
"content": "show_images",
"role": "assistant"
}
] |
def x(self, savedir=None, raw=True, calib=False, index=None):
obsids = self.obsids if index is None else [self.obsids[index]]
for obsid in obsids:
pm = io.PathManager(obsid.img_id, savedir=savedir)
pm.basepath.mkdir(exist_ok=True)
to_download = []
if raw is True:
to_download.extend(obsid.raw_urls)
if calib is True:
to_download.extend(obsid.calib_urls)
for url in to_download:
basename = Path(url).name
print('Downloading', basename)
store_path = str(pm.basepath / basename)
try:
urlretrieve(url, store_path)
except Exception as e:
urlretrieve(url.replace('https', 'http'), store_path)
return str(pm.basepath)
|
download_results
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, savedir=None, raw=True, calib=False, index=None):\n obsids = self.obsids if index is None else [self.obsids[index]]\n for obsid in obsids:\n pm = io.PathManager(obsid.img_id, savedir=savedir)\n pm.basepath.mkdir(exist_ok=True)\n to_download = []\n if raw is True:\n to_download.extend(obsid.raw_urls)\n if calib is True:\n to_download.extend(obsid.calib_urls)\n for url in to_download:\n basename = Path(url).name\n print('Downloading', basename)\n store_path = str(pm.basepath / basename)\n try:\n urlretrieve(url, store_path)\n except Exception as e:\n urlretrieve(url.replace('https', 'http'), store_path)\n return str(pm.basepath)\n",
"role": "user"
},
{
"content": "download_results",
"role": "assistant"
}
] |
def x(self, savedir=None):
for obsid in self.obsids:
pm = io.PathManager(obsid.img_id, savedir=savedir)
pm.basepath.mkdir(exist_ok=True)
basename = Path(obsid.medium_img_url).name
print('Downloading', basename)
urlretrieve(obsid.medium_img_url, str(pm.basepath / basename))
|
download_previews
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, savedir=None):\n for obsid in self.obsids:\n pm = io.PathManager(obsid.img_id, savedir=savedir)\n pm.basepath.mkdir(exist_ok=True)\n basename = Path(obsid.medium_img_url).name\n print('Downloading', basename)\n urlretrieve(obsid.medium_img_url, str(pm.basepath / basename))\n",
"role": "user"
},
{
"content": "download_previews",
"role": "assistant"
}
] |
def x(name, time):
t1 = Time('2002-01-21').to_datetime()
delta = Time(time).to_datetime() - t1
yearfraction = delta.days / 365
if int(yearfraction / 4) % 2 == 0:
return name + '2'
else:
return name + '1'
|
which_epi_janus_resonance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, time):\n t1 = Time('2002-01-21').to_datetime()\n delta = Time(time).to_datetime() - t1\n yearfraction = delta.days / 365\n if int(yearfraction / 4) % 2 == 0:\n return name + '2'\n else:\n return name + '1'\n",
"role": "user"
},
{
"content": "which_epi_janus_resonance",
"role": "assistant"
}
] |
def x(self):
target_url = self.client.get_url('LAYER', 'GET', 'multidraft')
return base.Query(self, target_url)
|
list_drafts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n target_url = self.client.get_url('LAYER', 'GET', 'multidraft')\n return base.Query(self, target_url)\n",
"role": "user"
},
{
"content": "list_drafts",
"role": "assistant"
}
] |
def x(self, layer_id):
target_url = self.client.get_url('VERSION', 'GET', 'multi', {'layer_id':
layer_id})
return base.Query(self, target_url, valid_filter_attributes=('data',),
valid_sort_attributes=())
|
list_versions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layer_id):\n target_url = self.client.get_url('VERSION', 'GET', 'multi', {'layer_id':\n layer_id})\n return base.Query(self, target_url, valid_filter_attributes=('data',),\n valid_sort_attributes=())\n",
"role": "user"
},
{
"content": "list_versions",
"role": "assistant"
}
] |
def x(self, layer_id, version_id, expand=[]):
target_url = self.client.get_url('VERSION', 'GET', 'single', {
'layer_id': layer_id, 'version_id': version_id})
return self._get(target_url, expand=expand)
|
get_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layer_id, version_id, expand=[]):\n target_url = self.client.get_url('VERSION', 'GET', 'single', {\n 'layer_id': layer_id, 'version_id': version_id})\n return self._get(target_url, expand=expand)\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x(self, layer_id, expand=[]):
target_url = self.client.get_url('VERSION', 'GET', 'draft', {'layer_id':
layer_id})
return self._get(target_url, expand=expand)
|
get_draft
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layer_id, expand=[]):\n target_url = self.client.get_url('VERSION', 'GET', 'draft', {'layer_id':\n layer_id})\n return self._get(target_url, expand=expand)\n",
"role": "user"
},
{
"content": "get_draft",
"role": "assistant"
}
] |
def x(self, layer_id, expand=[]):
target_url = self.client.get_url('VERSION', 'GET', 'published', {
'layer_id': layer_id})
return self._get(target_url, expand=expand)
|
get_published
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layer_id, expand=[]):\n target_url = self.client.get_url('VERSION', 'GET', 'published', {\n 'layer_id': layer_id})\n return self._get(target_url, expand=expand)\n",
"role": "user"
},
{
"content": "get_published",
"role": "assistant"
}
] |
def x(self, layer_id):
target_url = self.client.get_url('VERSION', 'POST', 'create', {
'layer_id': layer_id})
r = self.client.request('POST', target_url, json={})
return self.create_from_result(r.json())
|
create_draft
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layer_id):\n target_url = self.client.get_url('VERSION', 'POST', 'create', {\n 'layer_id': layer_id})\n r = self.client.request('POST', target_url, json={})\n return self.create_from_result(r.json())\n",
"role": "user"
},
{
"content": "create_draft",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.