source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(soup):
day = node_text(raw_parser.day(soup))
month = node_text(raw_parser.month(soup))
year = node_text(raw_parser.year(soup))
return day, month, year
| ymd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n day = node_text(raw_parser.day(soup))\n month = node_text(raw_parser.month(soup))\n year = node_text(raw_parser.year(soup))\n return day, month, year\n",
"role": "user"
},
{
"content": "ymd",
"role": "assistant"
}
]
|
def x(soup):
pub_date = first(raw_parser.pub_date(soup, date_type='pub'))
if pub_date is None:
pub_date = first(raw_parser.pub_date(soup, date_type='publication'))
if pub_date is None:
return None
day, month, year = ymd(pub_date)
return date_struct(year, month, day)
| pub_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n pub_date = first(raw_parser.pub_date(soup, date_type='pub'))\n if pub_date is None:\n pub_date = first(raw_parser.pub_date(soup, date_type='publication'))\n if pub_date is None:\n return None\n day, month, year = ymd(pub_date)\n return date_struct(year, month, day)\n",
"role": "user"
},
{
"content": "pub_date",
"role": "assistant"
}
]
|
def x(soup):
pub_dates = []
tags = raw_parser.pub_date(soup)
for tag in tags:
pub_date = OrderedDict()
copy_attribute(tag.attrs, 'publication-format', pub_date)
copy_attribute(tag.attrs, 'date-type', pub_date)
copy_attribute(tag.attrs, 'pub-type', pub_date)
for tag_attr in ['date-type', 'pub-type']:
if tag_attr in tag.attrs:
day, month, year = ymd(tag)
pub_date['day'] = day
pub_date['month'] = month
pub_date['year'] = year
pub_date['date'] = date_struct_nn(year, month, day)
pub_dates.append(pub_date)
return pub_dates
| pub_dates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n pub_dates = []\n tags = raw_parser.pub_date(soup)\n for tag in tags:\n pub_date = OrderedDict()\n copy_attribute(tag.attrs, 'publication-format', pub_date)\n copy_attribute(tag.attrs, 'date-type', pub_date)\n copy_attribute(tag.attrs, 'pub-type', pub_date)\n for tag_attr in ['date-type', 'pub-type']:\n if tag_attr in tag.attrs:\n day, month, year = ymd(tag)\n pub_date['day'] = day\n pub_date['month'] = month\n pub_date['year'] = year\n pub_date['date'] = date_struct_nn(year, month, day)\n pub_dates.append(pub_date)\n return pub_dates\n",
"role": "user"
},
{
"content": "pub_dates",
"role": "assistant"
}
]
|
def x(soup, date_type=None):
if date_type == None:
return None
history_date = raw_parser.history_date(soup, date_type)
if history_date is None:
return None
day, month, year = ymd(history_date)
return date_struct(year, month, day)
| history_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup, date_type=None):\n if date_type == None:\n return None\n history_date = raw_parser.history_date(soup, date_type)\n if history_date is None:\n return None\n day, month, year = ymd(history_date)\n return date_struct(year, month, day)\n",
"role": "user"
},
{
"content": "history_date",
"role": "assistant"
}
]
|
def x(soup):
pub_date = first(raw_parser.pub_date(soup, pub_type='collection'))
if not pub_date:
pub_date = first(raw_parser.pub_date(soup, date_type='collection'))
if not pub_date:
return None
year = None
year_tag = raw_parser.year(pub_date)
if year_tag:
year = int(node_text(year_tag))
return year
| collection_year | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n pub_date = first(raw_parser.pub_date(soup, pub_type='collection'))\n if not pub_date:\n pub_date = first(raw_parser.pub_date(soup, date_type='collection'))\n if not pub_date:\n return None\n year = None\n year_tag = raw_parser.year(pub_date)\n if year_tag:\n year = int(node_text(year_tag))\n return year\n",
"role": "user"
},
{
"content": "collection_year",
"role": "assistant"
}
]
|
def x(soup):
abstracts = []
abstract_tags = raw_parser.abstract(soup)
for tag in abstract_tags:
abstract = {}
abstract['abstract_type'] = tag.get('abstract-type')
title_tag = raw_parser.title(tag)
if title_tag:
abstract['title'] = node_text(title_tag)
abstract['content'] = None
if raw_parser.paragraph(tag):
abstract['content'] = ''
abstract['full_content'] = ''
good_paragraphs = remove_doi_paragraph(raw_parser.paragraph(tag))
glue = ''
for p_tag in good_paragraphs:
abstract['content'] += glue + node_text(p_tag)
glue = ' '
for p_tag in good_paragraphs:
abstract['full_content'] += '<p>' + node_contents_str(p_tag
) + '</p>'
abstracts.append(abstract)
return abstracts
| abstracts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n abstracts = []\n abstract_tags = raw_parser.abstract(soup)\n for tag in abstract_tags:\n abstract = {}\n abstract['abstract_type'] = tag.get('abstract-type')\n title_tag = raw_parser.title(tag)\n if title_tag:\n abstract['title'] = node_text(title_tag)\n abstract['content'] = None\n if raw_parser.paragraph(tag):\n abstract['content'] = ''\n abstract['full_content'] = ''\n good_paragraphs = remove_doi_paragraph(raw_parser.paragraph(tag))\n glue = ''\n for p_tag in good_paragraphs:\n abstract['content'] += glue + node_text(p_tag)\n glue = ' '\n for p_tag in good_paragraphs:\n abstract['full_content'] += '<p>' + node_contents_str(p_tag\n ) + '</p>'\n abstracts.append(abstract)\n return abstracts\n",
"role": "user"
},
{
"content": "abstracts",
"role": "assistant"
}
]
|
def x(soup):
component_doi = []
object_id_tags = raw_parser.object_id(soup, pub_id_type='doi')
component_list = components(soup)
position = 1
for tag in object_id_tags:
component_object = {}
component_object['doi'] = doi_uri_to_doi(tag.text)
component_object['position'] = position
for component in component_list:
if 'doi' in component and component['doi'] == component_object[
'doi']:
component_object['type'] = component['type']
component_doi.append(component_object)
position = position + 1
return component_doi
| component_doi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n component_doi = []\n object_id_tags = raw_parser.object_id(soup, pub_id_type='doi')\n component_list = components(soup)\n position = 1\n for tag in object_id_tags:\n component_object = {}\n component_object['doi'] = doi_uri_to_doi(tag.text)\n component_object['position'] = position\n for component in component_list:\n if 'doi' in component and component['doi'] == component_object[\n 'doi']:\n component_object['type'] = component['type']\n component_doi.append(component_object)\n position = position + 1\n return component_doi\n",
"role": "user"
},
{
"content": "component_doi",
"role": "assistant"
}
]
|
def x(tag, nodenames):
details = {}
details['type'] = tag.name
details['ordinal'] = tag_ordinal(tag)
if tag_details_sibling_ordinal(tag):
details['sibling_ordinal'] = tag_details_sibling_ordinal(tag)
if tag_details_asset(tag):
details['asset'] = tag_details_asset(tag)
object_id_tag = first(raw_parser.object_id(tag, pub_id_type='doi'))
if object_id_tag:
details['component_doi'] = extract_component_doi(tag, nodenames)
return details
| tag_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag, nodenames):\n details = {}\n details['type'] = tag.name\n details['ordinal'] = tag_ordinal(tag)\n if tag_details_sibling_ordinal(tag):\n details['sibling_ordinal'] = tag_details_sibling_ordinal(tag)\n if tag_details_asset(tag):\n details['asset'] = tag_details_asset(tag)\n object_id_tag = first(raw_parser.object_id(tag, pub_id_type='doi'))\n if object_id_tag:\n details['component_doi'] = extract_component_doi(tag, nodenames)\n return details\n",
"role": "user"
},
{
"content": "tag_details",
"role": "assistant"
}
]
|
def x(soup):
media = []
media_tags = raw_parser.media(soup)
position = 1
for tag in media_tags:
media_item = {}
copy_attribute(tag.attrs, 'mime-subtype', media_item)
copy_attribute(tag.attrs, 'mimetype', media_item)
copy_attribute(tag.attrs, 'xlink:href', media_item, 'xlink_href')
copy_attribute(tag.attrs, 'content-type', media_item)
nodenames = ['sub-article', 'media', 'fig-group', 'fig',
'supplementary-material']
details = tag_details(tag, nodenames)
copy_attribute(details, 'component_doi', media_item)
copy_attribute(details, 'type', media_item)
copy_attribute(details, 'sibling_ordinal', media_item)
parent_tag = first_parent(tag, nodenames)
if parent_tag:
acting_parent_tag = component_acting_parent_tag(parent_tag, tag)
if acting_parent_tag:
details = tag_details(acting_parent_tag, nodenames)
copy_attribute(details, 'type', media_item, 'parent_type')
copy_attribute(details, 'ordinal', media_item, 'parent_ordinal'
)
copy_attribute(details, 'asset', media_item, 'parent_asset')
copy_attribute(details, 'sibling_ordinal', media_item,
'parent_sibling_ordinal')
copy_attribute(details, 'component_doi', media_item,
'parent_component_doi')
p_parent_tag = first_parent(parent_tag, nodenames)
if p_parent_tag:
acting_p_parent_tag = component_acting_parent_tag(p_parent_tag,
parent_tag)
if acting_p_parent_tag:
details = tag_details(acting_p_parent_tag, nodenames)
copy_attribute(details, 'type', media_item, 'p_parent_type'
)
copy_attribute(details, 'ordinal', media_item,
'p_parent_ordinal')
copy_attribute(details, 'asset', media_item,
'p_parent_asset')
copy_attribute(details, 'sibling_ordinal', media_item,
'p_parent_sibling_ordinal')
copy_attribute(details, 'component_doi', media_item,
'p_parent_component_doi')
p_p_parent_tag = first_parent(p_parent_tag, nodenames)
if p_p_parent_tag:
acting_p_p_parent_tag = component_acting_parent_tag(
p_p_parent_tag, p_parent_tag)
if acting_p_p_parent_tag:
details = tag_details(acting_p_p_parent_tag, nodenames)
copy_attribute(details, 'type', media_item,
'p_p_parent_type')
copy_attribute(details, 'ordinal', media_item,
'p_p_parent_ordinal')
copy_attribute(details, 'asset', media_item,
'p_p_parent_asset')
copy_attribute(details, 'sibling_ordinal',
media_item, 'p_p_parent_sibling_ordinal')
copy_attribute(details, 'component_doi', media_item,
'p_p_parent_component_doi')
media_item['position'] = position
media_item['ordinal'] = tag_ordinal(tag)
media.append(media_item)
position += 1
return media
| media | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n media = []\n media_tags = raw_parser.media(soup)\n position = 1\n for tag in media_tags:\n media_item = {}\n copy_attribute(tag.attrs, 'mime-subtype', media_item)\n copy_attribute(tag.attrs, 'mimetype', media_item)\n copy_attribute(tag.attrs, 'xlink:href', media_item, 'xlink_href')\n copy_attribute(tag.attrs, 'content-type', media_item)\n nodenames = ['sub-article', 'media', 'fig-group', 'fig',\n 'supplementary-material']\n details = tag_details(tag, nodenames)\n copy_attribute(details, 'component_doi', media_item)\n copy_attribute(details, 'type', media_item)\n copy_attribute(details, 'sibling_ordinal', media_item)\n parent_tag = first_parent(tag, nodenames)\n if parent_tag:\n acting_parent_tag = component_acting_parent_tag(parent_tag, tag)\n if acting_parent_tag:\n details = tag_details(acting_parent_tag, nodenames)\n copy_attribute(details, 'type', media_item, 'parent_type')\n copy_attribute(details, 'ordinal', media_item, 'parent_ordinal'\n )\n copy_attribute(details, 'asset', media_item, 'parent_asset')\n copy_attribute(details, 'sibling_ordinal', media_item,\n 'parent_sibling_ordinal')\n copy_attribute(details, 'component_doi', media_item,\n 'parent_component_doi')\n p_parent_tag = first_parent(parent_tag, nodenames)\n if p_parent_tag:\n acting_p_parent_tag = component_acting_parent_tag(p_parent_tag,\n parent_tag)\n if acting_p_parent_tag:\n details = tag_details(acting_p_parent_tag, nodenames)\n copy_attribute(details, 'type', media_item, 'p_parent_type'\n )\n copy_attribute(details, 'ordinal', media_item,\n 'p_parent_ordinal')\n copy_attribute(details, 'asset', media_item,\n 'p_parent_asset')\n copy_attribute(details, 'sibling_ordinal', media_item,\n 'p_parent_sibling_ordinal')\n copy_attribute(details, 'component_doi', media_item,\n 'p_parent_component_doi')\n p_p_parent_tag = first_parent(p_parent_tag, nodenames)\n if p_p_parent_tag:\n acting_p_p_parent_tag = component_acting_parent_tag(\n p_p_parent_tag, p_parent_tag)\n if acting_p_p_parent_tag:\n details = tag_details(acting_p_p_parent_tag, nodenames)\n copy_attribute(details, 'type', media_item,\n 'p_p_parent_type')\n copy_attribute(details, 'ordinal', media_item,\n 'p_p_parent_ordinal')\n copy_attribute(details, 'asset', media_item,\n 'p_p_parent_asset')\n copy_attribute(details, 'sibling_ordinal',\n media_item, 'p_p_parent_sibling_ordinal')\n copy_attribute(details, 'component_doi', media_item,\n 'p_p_parent_component_doi')\n media_item['position'] = position\n media_item['ordinal'] = tag_ordinal(tag)\n media.append(media_item)\n position += 1\n return media\n",
"role": "user"
},
{
"content": "media",
"role": "assistant"
}
]
|
def x(soup):
graphics = []
graphic_tags = raw_parser.graphic(soup)
position = 1
for tag in graphic_tags:
graphic_item = {}
copy_attribute(tag.attrs, 'xlink:href', graphic_item, 'xlink_href')
nodenames = ['sub-article', 'fig-group', 'fig', 'app']
details = tag_details(tag, nodenames)
copy_attribute(details, 'type', graphic_item)
parent_tag = first_parent(tag, nodenames)
if parent_tag:
details = tag_details(parent_tag, nodenames)
copy_attribute(details, 'type', graphic_item, 'parent_type')
copy_attribute(details, 'ordinal', graphic_item, 'parent_ordinal')
copy_attribute(details, 'asset', graphic_item, 'parent_asset')
copy_attribute(details, 'sibling_ordinal', graphic_item,
'parent_sibling_ordinal')
copy_attribute(details, 'component_doi', graphic_item,
'parent_component_doi')
p_parent_tag = first_parent(parent_tag, nodenames)
if p_parent_tag:
acting_p_parent_tag = component_acting_parent_tag(p_parent_tag,
parent_tag)
if acting_p_parent_tag:
details = tag_details(acting_p_parent_tag, nodenames)
copy_attribute(details, 'type', graphic_item,
'p_parent_type')
copy_attribute(details, 'ordinal', graphic_item,
'p_parent_ordinal')
copy_attribute(details, 'asset', graphic_item,
'p_parent_asset')
copy_attribute(details, 'sibling_ordinal', graphic_item,
'p_parent_sibling_ordinal')
copy_attribute(details, 'component_doi', graphic_item,
'p_parent_component_doi')
graphic_item['position'] = position
graphic_item['ordinal'] = tag_ordinal(tag)
graphics.append(graphic_item)
position += 1
return graphics
| graphics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n graphics = []\n graphic_tags = raw_parser.graphic(soup)\n position = 1\n for tag in graphic_tags:\n graphic_item = {}\n copy_attribute(tag.attrs, 'xlink:href', graphic_item, 'xlink_href')\n nodenames = ['sub-article', 'fig-group', 'fig', 'app']\n details = tag_details(tag, nodenames)\n copy_attribute(details, 'type', graphic_item)\n parent_tag = first_parent(tag, nodenames)\n if parent_tag:\n details = tag_details(parent_tag, nodenames)\n copy_attribute(details, 'type', graphic_item, 'parent_type')\n copy_attribute(details, 'ordinal', graphic_item, 'parent_ordinal')\n copy_attribute(details, 'asset', graphic_item, 'parent_asset')\n copy_attribute(details, 'sibling_ordinal', graphic_item,\n 'parent_sibling_ordinal')\n copy_attribute(details, 'component_doi', graphic_item,\n 'parent_component_doi')\n p_parent_tag = first_parent(parent_tag, nodenames)\n if p_parent_tag:\n acting_p_parent_tag = component_acting_parent_tag(p_parent_tag,\n parent_tag)\n if acting_p_parent_tag:\n details = tag_details(acting_p_parent_tag, nodenames)\n copy_attribute(details, 'type', graphic_item,\n 'p_parent_type')\n copy_attribute(details, 'ordinal', graphic_item,\n 'p_parent_ordinal')\n copy_attribute(details, 'asset', graphic_item,\n 'p_parent_asset')\n copy_attribute(details, 'sibling_ordinal', graphic_item,\n 'p_parent_sibling_ordinal')\n copy_attribute(details, 'component_doi', graphic_item,\n 'p_parent_component_doi')\n graphic_item['position'] = position\n graphic_item['ordinal'] = tag_ordinal(tag)\n graphics.append(graphic_item)\n position += 1\n return graphics\n",
"role": "user"
},
{
"content": "graphics",
"role": "assistant"
}
]
|
def x(soup):
inline_graphics = []
inline_graphic_tags = raw_parser.inline_graphic(soup)
position = 1
for tag in inline_graphic_tags:
item = {}
copy_attribute(tag.attrs, 'xlink:href', item, 'xlink_href')
nodenames = ['sub-article']
details = tag_details(tag, nodenames)
copy_attribute(details, 'type', item)
item['position'] = position
item['ordinal'] = tag_ordinal(tag)
inline_graphics.append(item)
return inline_graphics
| inline_graphics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n inline_graphics = []\n inline_graphic_tags = raw_parser.inline_graphic(soup)\n position = 1\n for tag in inline_graphic_tags:\n item = {}\n copy_attribute(tag.attrs, 'xlink:href', item, 'xlink_href')\n nodenames = ['sub-article']\n details = tag_details(tag, nodenames)\n copy_attribute(details, 'type', item)\n item['position'] = position\n item['ordinal'] = tag_ordinal(tag)\n inline_graphics.append(item)\n return inline_graphics\n",
"role": "user"
},
{
"content": "inline_graphics",
"role": "assistant"
}
]
|
def x(soup):
self_uri = []
self_uri_tags = raw_parser.self_uri(soup)
position = 1
for tag in self_uri_tags:
item = {}
copy_attribute(tag.attrs, 'xlink:href', item, 'xlink_href')
copy_attribute(tag.attrs, 'content-type', item)
nodenames = ['sub-article']
details = tag_details(tag, nodenames)
copy_attribute(details, 'type', item)
item['position'] = position
item['ordinal'] = tag_ordinal(tag)
self_uri.append(item)
return self_uri
| self_uri | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n self_uri = []\n self_uri_tags = raw_parser.self_uri(soup)\n position = 1\n for tag in self_uri_tags:\n item = {}\n copy_attribute(tag.attrs, 'xlink:href', item, 'xlink_href')\n copy_attribute(tag.attrs, 'content-type', item)\n nodenames = ['sub-article']\n details = tag_details(tag, nodenames)\n copy_attribute(details, 'type', item)\n item['position'] = position\n item['ordinal'] = tag_ordinal(tag)\n self_uri.append(item)\n return self_uri\n",
"role": "user"
},
{
"content": "self_uri",
"role": "assistant"
}
]
|
def x(soup):
supplementary_material = []
supplementary_material_tags = raw_parser.supplementary_material(soup)
position = 1
for tag in supplementary_material_tags:
item = {}
copy_attribute(tag.attrs, 'id', item)
nodenames = ['supplementary-material']
details = tag_details(tag, nodenames)
copy_attribute(details, 'type', item)
copy_attribute(details, 'asset', item)
copy_attribute(details, 'component_doi', item)
copy_attribute(details, 'sibling_ordinal', item)
if raw_parser.label(tag):
item['label'] = node_text(raw_parser.label(tag))
item['full_label'] = node_contents_str(raw_parser.label(tag))
item['position'] = position
item['ordinal'] = tag_ordinal(tag)
supplementary_material.append(item)
return supplementary_material
| supplementary_material | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n supplementary_material = []\n supplementary_material_tags = raw_parser.supplementary_material(soup)\n position = 1\n for tag in supplementary_material_tags:\n item = {}\n copy_attribute(tag.attrs, 'id', item)\n nodenames = ['supplementary-material']\n details = tag_details(tag, nodenames)\n copy_attribute(details, 'type', item)\n copy_attribute(details, 'asset', item)\n copy_attribute(details, 'component_doi', item)\n copy_attribute(details, 'sibling_ordinal', item)\n if raw_parser.label(tag):\n item['label'] = node_text(raw_parser.label(tag))\n item['full_label'] = node_contents_str(raw_parser.label(tag))\n item['position'] = position\n item['ordinal'] = tag_ordinal(tag)\n supplementary_material.append(item)\n return supplementary_material\n",
"role": "user"
},
{
"content": "supplementary_material",
"role": "assistant"
}
]
|
def x(contrib_tag):
email = []
for email_tag in extract_nodes(contrib_tag, 'email'):
if email_tag.parent.name != 'aff':
email.append(email_tag.text)
return email if len(email) > 0 else None
| contrib_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contrib_tag):\n email = []\n for email_tag in extract_nodes(contrib_tag, 'email'):\n if email_tag.parent.name != 'aff':\n email.append(email_tag.text)\n return email if len(email) > 0 else None\n",
"role": "user"
},
{
"content": "contrib_email",
"role": "assistant"
}
]
|
def x(contrib_tag):
phone = None
if raw_parser.phone(contrib_tag):
phone = first(raw_parser.phone(contrib_tag)).text
return phone
| contrib_phone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contrib_tag):\n phone = None\n if raw_parser.phone(contrib_tag):\n phone = first(raw_parser.phone(contrib_tag)).text\n return phone\n",
"role": "user"
},
{
"content": "contrib_phone",
"role": "assistant"
}
]
|
def x(contrib_tag):
aff_tags = []
for child_tag in contrib_tag:
if child_tag and child_tag.name and child_tag.name == 'aff':
aff_tags.append(child_tag)
return aff_tags
| contrib_inline_aff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contrib_tag):\n aff_tags = []\n for child_tag in contrib_tag:\n if child_tag and child_tag.name and child_tag.name == 'aff':\n aff_tags.append(child_tag)\n return aff_tags\n",
"role": "user"
},
{
"content": "contrib_inline_aff",
"role": "assistant"
}
]
|
def x(contrib_tag, ref_type):
aff_tags = []
for child_tag in contrib_tag:
if (child_tag and child_tag.name and child_tag.name == 'xref' and
child_tag.get('ref-type') and child_tag.get('ref-type') == ref_type
):
aff_tags.append(child_tag)
return aff_tags
| contrib_xref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contrib_tag, ref_type):\n aff_tags = []\n for child_tag in contrib_tag:\n if (child_tag and child_tag.name and child_tag.name == 'xref' and\n child_tag.get('ref-type') and child_tag.get('ref-type') == ref_type\n ):\n aff_tags.append(child_tag)\n return aff_tags\n",
"role": "user"
},
{
"content": "contrib_xref",
"role": "assistant"
}
]
|
def x(soup, detail='brief'):
contrib_tags = raw_parser.contributors(soup)
contributors = format_authors(soup, contrib_tags, detail)
return contributors
| all_contributors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup, detail='brief'):\n contrib_tags = raw_parser.contributors(soup)\n contributors = format_authors(soup, contrib_tags, detail)\n return contributors\n",
"role": "user"
},
{
"content": "all_contributors",
"role": "assistant"
}
]
|
def x(soup, detail='full'):
contrib_type = 'author non-byline'
contributors_ = contributors(soup, detail)
non_byline_authors = [author for author in contributors_ if author.get(
'type', None) == contrib_type]
position = 1
for author in non_byline_authors:
author['position'] = position
position = position + 1
return non_byline_authors
| authors_non_byline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup, detail='full'):\n contrib_type = 'author non-byline'\n contributors_ = contributors(soup, detail)\n non_byline_authors = [author for author in contributors_ if author.get(\n 'type', None) == contrib_type]\n position = 1\n for author in non_byline_authors:\n author['position'] = position\n position = position + 1\n return non_byline_authors\n",
"role": "user"
},
{
"content": "authors_non_byline",
"role": "assistant"
}
]
|
def x(tag, nodenames):
component_doi = None
if tag.name == 'sub-article':
component_doi = doi_uri_to_doi(node_text(first(raw_parser.
article_id(tag, pub_id_type='doi'))))
else:
object_id_tag = first(raw_parser.object_id(tag, pub_id_type='doi'))
if tag.name == 'media' and not object_id_tag:
component_doi = None
elif object_id_tag and first_parent(object_id_tag, nodenames
).name == tag.name:
component_doi = doi_uri_to_doi(node_text(object_id_tag))
return component_doi
| extract_component_doi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag, nodenames):\n component_doi = None\n if tag.name == 'sub-article':\n component_doi = doi_uri_to_doi(node_text(first(raw_parser.\n article_id(tag, pub_id_type='doi'))))\n else:\n object_id_tag = first(raw_parser.object_id(tag, pub_id_type='doi'))\n if tag.name == 'media' and not object_id_tag:\n component_doi = None\n elif object_id_tag and first_parent(object_id_tag, nodenames\n ).name == tag.name:\n component_doi = doi_uri_to_doi(node_text(object_id_tag))\n return component_doi\n",
"role": "user"
},
{
"content": "extract_component_doi",
"role": "assistant"
}
]
|
def x(soup):
correspondence = []
author_notes_nodes = raw_parser.author_notes(soup)
if author_notes_nodes:
corresp_nodes = raw_parser.corresp(author_notes_nodes)
for tag in corresp_nodes:
correspondence.append(tag.text)
return correspondence
| correspondence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n correspondence = []\n author_notes_nodes = raw_parser.author_notes(soup)\n if author_notes_nodes:\n corresp_nodes = raw_parser.corresp(author_notes_nodes)\n for tag in corresp_nodes:\n correspondence.append(tag.text)\n return correspondence\n",
"role": "user"
},
{
"content": "correspondence",
"role": "assistant"
}
]
|
def x(soup):
author_notes = []
author_notes_section = raw_parser.author_notes(soup)
if author_notes_section:
fn_nodes = raw_parser.fn(author_notes_section)
for tag in fn_nodes:
if 'fn-type' in tag.attrs:
if tag['fn-type'] != 'present-address':
author_notes.append(node_text(tag))
return author_notes
| author_notes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n author_notes = []\n author_notes_section = raw_parser.author_notes(soup)\n if author_notes_section:\n fn_nodes = raw_parser.fn(author_notes_section)\n for tag in fn_nodes:\n if 'fn-type' in tag.attrs:\n if tag['fn-type'] != 'present-address':\n author_notes.append(node_text(tag))\n return author_notes\n",
"role": "user"
},
{
"content": "author_notes",
"role": "assistant"
}
]
|
def x(soup, fntype_filter=None):
notes = []
author_notes_section = raw_parser.author_notes(soup)
if author_notes_section:
fn_nodes = raw_parser.fn(author_notes_section)
notes = footnotes(fn_nodes, fntype_filter)
return notes
| full_author_notes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup, fntype_filter=None):\n notes = []\n author_notes_section = raw_parser.author_notes(soup)\n if author_notes_section:\n fn_nodes = raw_parser.fn(author_notes_section)\n notes = footnotes(fn_nodes, fntype_filter)\n return notes\n",
"role": "user"
},
{
"content": "full_author_notes",
"role": "assistant"
}
]
|
def x(soup, fntype_filter):
competing_interests_section = extract_nodes(soup, 'fn-group', attr=
'content-type', value='competing-interest')
if not competing_interests_section:
return None
fn = extract_nodes(first(competing_interests_section), 'fn')
interests = footnotes(fn, fntype_filter)
return interests
| competing_interests | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup, fntype_filter):\n competing_interests_section = extract_nodes(soup, 'fn-group', attr=\n 'content-type', value='competing-interest')\n if not competing_interests_section:\n return None\n fn = extract_nodes(first(competing_interests_section), 'fn')\n interests = footnotes(fn, fntype_filter)\n return interests\n",
"role": "user"
},
{
"content": "competing_interests",
"role": "assistant"
}
]
|
def x(soup, fntype_filter):
author_contributions_section = extract_nodes(soup, 'fn-group', attr=
'content-type', value='author-contribution')
if not author_contributions_section:
return None
fn = extract_nodes(first(author_contributions_section), 'fn')
cons = footnotes(fn, fntype_filter)
return cons
| author_contributions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup, fntype_filter):\n author_contributions_section = extract_nodes(soup, 'fn-group', attr=\n 'content-type', value='author-contribution')\n if not author_contributions_section:\n return None\n fn = extract_nodes(first(author_contributions_section), 'fn')\n cons = footnotes(fn, fntype_filter)\n return cons\n",
"role": "user"
},
{
"content": "author_contributions",
"role": "assistant"
}
]
|
def x(soup):
award_groups = []
funding_group_section = extract_nodes(soup, 'funding-group')
generated_id_counter = 1
for fg in funding_group_section:
award_group_tags = extract_nodes(fg, 'award-group')
for ag in award_group_tags:
if 'id' in ag.attrs:
ref = ag['id']
else:
ref = 'award-group-{id}'.format(id=generated_id_counter)
generated_id_counter += 1
award_group = {}
award_group_id = award_group_award_id(ag)
if award_group_id is not None:
award_group['award-id'] = first(award_group_id)
funding_sources = full_award_group_funding_source(ag)
source = first(funding_sources)
if source is not None:
copy_attribute(source, 'institution', award_group)
copy_attribute(source, 'institution-id', award_group, 'id')
copy_attribute(source, 'institution-id-type', award_group,
destination_key='id-type')
award_group_by_ref = {}
award_group_by_ref[ref] = award_group
award_groups.append(award_group_by_ref)
return award_groups
| full_award_groups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n award_groups = []\n funding_group_section = extract_nodes(soup, 'funding-group')\n generated_id_counter = 1\n for fg in funding_group_section:\n award_group_tags = extract_nodes(fg, 'award-group')\n for ag in award_group_tags:\n if 'id' in ag.attrs:\n ref = ag['id']\n else:\n ref = 'award-group-{id}'.format(id=generated_id_counter)\n generated_id_counter += 1\n award_group = {}\n award_group_id = award_group_award_id(ag)\n if award_group_id is not None:\n award_group['award-id'] = first(award_group_id)\n funding_sources = full_award_group_funding_source(ag)\n source = first(funding_sources)\n if source is not None:\n copy_attribute(source, 'institution', award_group)\n copy_attribute(source, 'institution-id', award_group, 'id')\n copy_attribute(source, 'institution-id-type', award_group,\n destination_key='id-type')\n award_group_by_ref = {}\n award_group_by_ref[ref] = award_group\n award_groups.append(award_group_by_ref)\n return award_groups\n",
"role": "user"
},
{
"content": "full_award_groups",
"role": "assistant"
}
]
|
def x(soup):
award_groups = []
funding_group_section = extract_nodes(soup, 'funding-group')
for fg in funding_group_section:
award_group_tags = extract_nodes(fg, 'award-group')
for ag in award_group_tags:
award_group = {}
award_group['funding_source'] = award_group_funding_source(ag)
award_group['recipient'] = award_group_principal_award_recipient(ag
)
award_group['award_id'] = award_group_award_id(ag)
award_groups.append(award_group)
return award_groups
| award_groups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n award_groups = []\n funding_group_section = extract_nodes(soup, 'funding-group')\n for fg in funding_group_section:\n award_group_tags = extract_nodes(fg, 'award-group')\n for ag in award_group_tags:\n award_group = {}\n award_group['funding_source'] = award_group_funding_source(ag)\n award_group['recipient'] = award_group_principal_award_recipient(ag\n )\n award_group['award_id'] = award_group_award_id(ag)\n award_groups.append(award_group)\n return award_groups\n",
"role": "user"
},
{
"content": "award_groups",
"role": "assistant"
}
]
|
def x(tag):
award_group_funding_source = []
funding_source_tags = extract_nodes(tag, 'funding-source')
for t in funding_source_tags:
award_group_funding_source.append(t.text)
return award_group_funding_source
| award_group_funding_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n award_group_funding_source = []\n funding_source_tags = extract_nodes(tag, 'funding-source')\n for t in funding_source_tags:\n award_group_funding_source.append(t.text)\n return award_group_funding_source\n",
"role": "user"
},
{
"content": "award_group_funding_source",
"role": "assistant"
}
]
|
def x(tag):
award_group_funding_sources = []
funding_source_nodes = extract_nodes(tag, 'funding-source')
for funding_source_node in funding_source_nodes:
award_group_funding_source = {}
institution_nodes = extract_nodes(funding_source_node, 'institution')
institution_node = first(institution_nodes)
if institution_node:
award_group_funding_source['institution'] = node_text(
institution_node)
if 'content-type' in institution_node.attrs:
award_group_funding_source['institution-type'
] = institution_node['content-type']
institution_id_nodes = extract_nodes(funding_source_node,
'institution-id')
institution_id_node = first(institution_id_nodes)
if institution_id_node:
award_group_funding_source['institution-id'] = node_text(
institution_id_node)
if 'institution-id-type' in institution_id_node.attrs:
award_group_funding_source['institution-id-type'
] = institution_id_node['institution-id-type']
award_group_funding_sources.append(award_group_funding_source)
return award_group_funding_sources
| full_award_group_funding_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n award_group_funding_sources = []\n funding_source_nodes = extract_nodes(tag, 'funding-source')\n for funding_source_node in funding_source_nodes:\n award_group_funding_source = {}\n institution_nodes = extract_nodes(funding_source_node, 'institution')\n institution_node = first(institution_nodes)\n if institution_node:\n award_group_funding_source['institution'] = node_text(\n institution_node)\n if 'content-type' in institution_node.attrs:\n award_group_funding_source['institution-type'\n ] = institution_node['content-type']\n institution_id_nodes = extract_nodes(funding_source_node,\n 'institution-id')\n institution_id_node = first(institution_id_nodes)\n if institution_id_node:\n award_group_funding_source['institution-id'] = node_text(\n institution_id_node)\n if 'institution-id-type' in institution_id_node.attrs:\n award_group_funding_source['institution-id-type'\n ] = institution_id_node['institution-id-type']\n award_group_funding_sources.append(award_group_funding_source)\n return award_group_funding_sources\n",
"role": "user"
},
{
"content": "full_award_group_funding_source",
"role": "assistant"
}
]
|
def x(tag):
award_group_award_id = []
award_id_tags = extract_nodes(tag, 'award-id')
for t in award_id_tags:
award_group_award_id.append(t.text)
return award_group_award_id
| award_group_award_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n award_group_award_id = []\n award_id_tags = extract_nodes(tag, 'award-id')\n for t in award_id_tags:\n award_group_award_id.append(t.text)\n return award_group_award_id\n",
"role": "user"
},
{
"content": "award_group_award_id",
"role": "assistant"
}
]
|
def x(tag):
award_group_principal_award_recipient = []
principal_award_recipients = extract_nodes(tag, 'principal-award-recipient'
)
for t in principal_award_recipients:
principal_award_recipient_text = ''
institution = node_text(first(extract_nodes(t, 'institution')))
surname = node_text(first(extract_nodes(t, 'surname')))
given_names = node_text(first(extract_nodes(t, 'given-names')))
string_name = node_text(first(raw_parser.string_name(t)))
if given_names:
principal_award_recipient_text += given_names
if principal_award_recipient_text != '':
principal_award_recipient_text += ' '
if surname:
principal_award_recipient_text += surname
if institution:
principal_award_recipient_text += institution
if string_name:
principal_award_recipient_text += string_name
award_group_principal_award_recipient.append(
principal_award_recipient_text)
return award_group_principal_award_recipient
| award_group_principal_award_recipient | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n award_group_principal_award_recipient = []\n principal_award_recipients = extract_nodes(tag, 'principal-award-recipient'\n )\n for t in principal_award_recipients:\n principal_award_recipient_text = ''\n institution = node_text(first(extract_nodes(t, 'institution')))\n surname = node_text(first(extract_nodes(t, 'surname')))\n given_names = node_text(first(extract_nodes(t, 'given-names')))\n string_name = node_text(first(raw_parser.string_name(t)))\n if given_names:\n principal_award_recipient_text += given_names\n if principal_award_recipient_text != '':\n principal_award_recipient_text += ' '\n if surname:\n principal_award_recipient_text += surname\n if institution:\n principal_award_recipient_text += institution\n if string_name:\n principal_award_recipient_text += string_name\n award_group_principal_award_recipient.append(\n principal_award_recipient_text)\n return award_group_principal_award_recipient\n",
"role": "user"
},
{
"content": "award_group_principal_award_recipient",
"role": "assistant"
}
]
|
def x(tag, parent_tag_name=None):
doi = None
object_id = None
object_ids = raw_parser.object_id(tag, 'doi')
if object_ids:
object_id = first([id_ for id_ in object_ids])
if (parent_tag_name and object_id and object_id.parent.name !=
parent_tag_name):
object_id = None
if object_id:
doi = node_contents_str(object_id)
return doi
| object_id_doi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag, parent_tag_name=None):\n doi = None\n object_id = None\n object_ids = raw_parser.object_id(tag, 'doi')\n if object_ids:\n object_id = first([id_ for id_ in object_ids])\n if (parent_tag_name and object_id and object_id.parent.name !=\n parent_tag_name):\n object_id = None\n if object_id:\n doi = node_contents_str(object_id)\n return doi\n",
"role": "user"
},
{
"content": "object_id_doi",
"role": "assistant"
}
]
|
def x(tag, parent_tag_name=None, p_parent_tag_name=None,
direct_sibling_only=False):
title_tag = None
if direct_sibling_only is True:
for sibling_tag in tag:
if sibling_tag.name and sibling_tag.name == 'title':
title_tag = sibling_tag
else:
title_tag = raw_parser.title(tag)
if parent_tag_name and p_parent_tag_name:
if (title_tag and title_tag.parent.name and title_tag.parent.parent
.name and title_tag.parent.name == parent_tag_name and
title_tag.parent.parent.name == p_parent_tag_name):
pass
else:
title_tag = None
return title_tag
| title_tag_inspected | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag, parent_tag_name=None, p_parent_tag_name=None,\n direct_sibling_only=False):\n title_tag = None\n if direct_sibling_only is True:\n for sibling_tag in tag:\n if sibling_tag.name and sibling_tag.name == 'title':\n title_tag = sibling_tag\n else:\n title_tag = raw_parser.title(tag)\n if parent_tag_name and p_parent_tag_name:\n if (title_tag and title_tag.parent.name and title_tag.parent.parent\n .name and title_tag.parent.name == parent_tag_name and \n title_tag.parent.parent.name == p_parent_tag_name):\n pass\n else:\n title_tag = None\n return title_tag\n",
"role": "user"
},
{
"content": "title_tag_inspected",
"role": "assistant"
}
]
|
def x(tag, parent_tag_name=None, p_parent_tag_name=None,
direct_sibling_only=False):
title = None
title_tag = title_tag_inspected(tag, parent_tag_name, p_parent_tag_name,
direct_sibling_only)
if title_tag:
title = node_contents_str(title_tag)
return title
| title_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag, parent_tag_name=None, p_parent_tag_name=None,\n direct_sibling_only=False):\n title = None\n title_tag = title_tag_inspected(tag, parent_tag_name, p_parent_tag_name,\n direct_sibling_only)\n if title_tag:\n title = node_contents_str(title_tag)\n return title\n",
"role": "user"
},
{
"content": "title_text",
"role": "assistant"
}
]
|
def x(tag):
tag_block = OrderedDict()
image_content = body_block_image_content(first(raw_parser.
inline_graphic(tag)))
tag_block['type'] = 'image'
set_if_value(tag_block, 'doi', doi_uri_to_doi(object_id_doi(tag, tag.name))
)
set_if_value(tag_block, 'id', tag.get('id'))
set_if_value(tag_block, 'image', image_content)
p_tags = raw_parser.paragraph(tag)
caption_content = []
for p_tag in p_tags:
if not raw_parser.inline_graphic(p_tag):
caption_content.append(body_block_content(p_tag))
set_if_value(tag_block, 'caption', caption_content)
return tag_block
| boxed_text_to_image_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n tag_block = OrderedDict()\n image_content = body_block_image_content(first(raw_parser.\n inline_graphic(tag)))\n tag_block['type'] = 'image'\n set_if_value(tag_block, 'doi', doi_uri_to_doi(object_id_doi(tag, tag.name))\n )\n set_if_value(tag_block, 'id', tag.get('id'))\n set_if_value(tag_block, 'image', image_content)\n p_tags = raw_parser.paragraph(tag)\n caption_content = []\n for p_tag in p_tags:\n if not raw_parser.inline_graphic(p_tag):\n caption_content.append(body_block_content(p_tag))\n set_if_value(tag_block, 'caption', caption_content)\n return tag_block\n",
"role": "user"
},
{
"content": "boxed_text_to_image_block",
"role": "assistant"
}
]
|
def x(soup, base_url=None):
body_content = body(soup, remove_key_info_box=True, base_url=base_url)
if body_content and len(body_content) > 0 and 'type' in body_content[0
] and body_content[0]['type'] != 'section':
new_body_section = OrderedDict()
new_body_section['type'] = 'section'
new_body_section['id'] = 's0'
new_body_section['title'] = 'Main text'
new_body_section['content'] = []
for body_block in body_content:
new_body_section['content'].append(body_block)
new_body = []
new_body.append(new_body_section)
body_content = new_body
body_content_rewritten = elifetools.json_rewrite.rewrite_json('body_json',
soup, body_content)
return body_content_rewritten
| body_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup, base_url=None):\n body_content = body(soup, remove_key_info_box=True, base_url=base_url)\n if body_content and len(body_content) > 0 and 'type' in body_content[0\n ] and body_content[0]['type'] != 'section':\n new_body_section = OrderedDict()\n new_body_section['type'] = 'section'\n new_body_section['id'] = 's0'\n new_body_section['title'] = 'Main text'\n new_body_section['content'] = []\n for body_block in body_content:\n new_body_section['content'].append(body_block)\n new_body = []\n new_body.append(new_body_section)\n body_content = new_body\n body_content_rewritten = elifetools.json_rewrite.rewrite_json('body_json',\n soup, body_content)\n return body_content_rewritten\n",
"role": "user"
},
{
"content": "body_json",
"role": "assistant"
}
]
|
def x(tag, recursive=False, base_url=None):
block_content_list = []
tag_content = OrderedDict()
if tag.name == 'p':
for block_content in body_block_paragraph_render(tag, base_url=base_url
):
if block_content != {}:
block_content_list.append(block_content)
else:
tag_content = body_block_content(tag, base_url=base_url)
nodenames = body_block_nodenames()
tag_content_content = []
if tag.name not in ['p', 'fig', 'table-wrap', 'list', 'media',
'disp-quote', 'code']:
for child_tag in tag:
if not hasattr(child_tag, 'name'):
continue
if child_tag.name == 'p':
if node_text(child_tag) and len(remove_doi_paragraph([
child_tag])) <= 0:
continue
for block_content in body_block_paragraph_render(child_tag,
base_url=base_url):
if block_content != {}:
tag_content_content.append(block_content)
elif child_tag.name == 'fig' and tag.name == 'fig-group':
pass
elif child_tag.name == 'media' and tag.name == 'fig-group':
if child_tag.get('mimetype') == 'video':
pass
else:
for block_content in body_block_content_render(child_tag,
recursive=True, base_url=base_url):
if block_content != {}:
tag_content_content.append(block_content)
if len(tag_content_content) > 0:
if tag.name in nodenames or recursive is False:
tag_content['content'] = []
for block_content in tag_content_content:
tag_content['content'].append(block_content)
block_content_list.append(tag_content)
else:
block_content_list = tag_content_content
else:
block_content_list.append(tag_content)
return block_content_list
| body_block_content_render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag, recursive=False, base_url=None):\n block_content_list = []\n tag_content = OrderedDict()\n if tag.name == 'p':\n for block_content in body_block_paragraph_render(tag, base_url=base_url\n ):\n if block_content != {}:\n block_content_list.append(block_content)\n else:\n tag_content = body_block_content(tag, base_url=base_url)\n nodenames = body_block_nodenames()\n tag_content_content = []\n if tag.name not in ['p', 'fig', 'table-wrap', 'list', 'media',\n 'disp-quote', 'code']:\n for child_tag in tag:\n if not hasattr(child_tag, 'name'):\n continue\n if child_tag.name == 'p':\n if node_text(child_tag) and len(remove_doi_paragraph([\n child_tag])) <= 0:\n continue\n for block_content in body_block_paragraph_render(child_tag,\n base_url=base_url):\n if block_content != {}:\n tag_content_content.append(block_content)\n elif child_tag.name == 'fig' and tag.name == 'fig-group':\n pass\n elif child_tag.name == 'media' and tag.name == 'fig-group':\n if child_tag.get('mimetype') == 'video':\n pass\n else:\n for block_content in body_block_content_render(child_tag,\n recursive=True, base_url=base_url):\n if block_content != {}:\n tag_content_content.append(block_content)\n if len(tag_content_content) > 0:\n if tag.name in nodenames or recursive is False:\n tag_content['content'] = []\n for block_content in tag_content_content:\n tag_content['content'].append(block_content)\n block_content_list.append(tag_content)\n else:\n block_content_list = tag_content_content\n else:\n block_content_list.append(tag_content)\n return block_content_list\n",
"role": "user"
},
{
"content": "body_block_content_render",
"role": "assistant"
}
]
|
def x(p_tag, html_flag=True, base_url=None):
convert = lambda xml_string: xml_to_html(html_flag, xml_string, base_url)
block_content_list = []
tag_content_content = []
nodenames = body_block_nodenames()
paragraph_content = u''
for child_tag in p_tag:
if child_tag.name is None or body_block_content(child_tag) == {}:
paragraph_content = paragraph_content + unicode_value(child_tag)
elif paragraph_content.strip() != '':
tag_content_content.append(body_block_paragraph_content(convert
(paragraph_content)))
paragraph_content = u''
if child_tag.name is not None and body_block_content(child_tag) != {}:
for block_content in body_block_content_render(child_tag,
base_url=base_url):
if block_content != {}:
tag_content_content.append(block_content)
if paragraph_content.strip() != '':
tag_content_content.append(body_block_paragraph_content(convert(
paragraph_content)))
if len(tag_content_content) > 0:
for block_content in tag_content_content:
block_content_list.append(block_content)
return block_content_list
| body_block_paragraph_render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p_tag, html_flag=True, base_url=None):\n convert = lambda xml_string: xml_to_html(html_flag, xml_string, base_url)\n block_content_list = []\n tag_content_content = []\n nodenames = body_block_nodenames()\n paragraph_content = u''\n for child_tag in p_tag:\n if child_tag.name is None or body_block_content(child_tag) == {}:\n paragraph_content = paragraph_content + unicode_value(child_tag)\n elif paragraph_content.strip() != '':\n tag_content_content.append(body_block_paragraph_content(convert\n (paragraph_content)))\n paragraph_content = u''\n if child_tag.name is not None and body_block_content(child_tag) != {}:\n for block_content in body_block_content_render(child_tag,\n base_url=base_url):\n if block_content != {}:\n tag_content_content.append(block_content)\n if paragraph_content.strip() != '':\n tag_content_content.append(body_block_paragraph_content(convert(\n paragraph_content)))\n if len(tag_content_content) > 0:\n for block_content in tag_content_content:\n block_content_list.append(block_content)\n return block_content_list\n",
"role": "user"
},
{
"content": "body_block_paragraph_render",
"role": "assistant"
}
]
|
def x(caption_tags, base_url=None):
caption_content = []
supplementary_material_tags = []
for block_tag in remove_doi_paragraph(caption_tags):
if raw_parser.supplementary_material(block_tag):
for supp_tag in raw_parser.supplementary_material(block_tag):
supplementary_material_tags.append(supp_tag)
continue
for block_content in body_block_content_render(block_tag, base_url=
base_url):
if block_content != {}:
caption_content.append(block_content)
return caption_content, supplementary_material_tags
| body_block_caption_render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(caption_tags, base_url=None):\n caption_content = []\n supplementary_material_tags = []\n for block_tag in remove_doi_paragraph(caption_tags):\n if raw_parser.supplementary_material(block_tag):\n for supp_tag in raw_parser.supplementary_material(block_tag):\n supplementary_material_tags.append(supp_tag)\n continue\n for block_content in body_block_content_render(block_tag, base_url=\n base_url):\n if block_content != {}:\n caption_content.append(block_content)\n return caption_content, supplementary_material_tags\n",
"role": "user"
},
{
"content": "body_block_caption_render",
"role": "assistant"
}
]
|
def x(supp_tags, base_url=None):
source_data = []
for supp_tag in supp_tags:
for block_content in body_block_content_render(supp_tag, base_url=
base_url):
if block_content != {}:
if 'content' in block_content:
del block_content['content']
source_data.append(block_content)
return source_data
| body_block_supplementary_material_render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(supp_tags, base_url=None):\n source_data = []\n for supp_tag in supp_tags:\n for block_content in body_block_content_render(supp_tag, base_url=\n base_url):\n if block_content != {}:\n if 'content' in block_content:\n del block_content['content']\n source_data.append(block_content)\n return source_data\n",
"role": "user"
},
{
"content": "body_block_supplementary_material_render",
"role": "assistant"
}
]
|
def x(text):
tag_content = OrderedDict()
if text and text != '':
tag_content['type'] = 'paragraph'
tag_content['text'] = clean_whitespace(text)
return tag_content
| body_block_paragraph_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n tag_content = OrderedDict()\n if text and text != '':\n tag_content['type'] = 'paragraph'\n tag_content['text'] = clean_whitespace(text)\n return tag_content\n",
"role": "user"
},
{
"content": "body_block_paragraph_content",
"role": "assistant"
}
]
|
def x(tag):
image_content = OrderedDict()
if tag:
copy_attribute(tag.attrs, 'xlink:href', image_content, 'uri')
if 'uri' in image_content:
set_if_value(image_content, 'alt', '')
return image_content
| body_block_image_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n image_content = OrderedDict()\n if tag:\n copy_attribute(tag.attrs, 'xlink:href', image_content, 'uri')\n if 'uri' in image_content:\n set_if_value(image_content, 'alt', '')\n return image_content\n",
"role": "user"
},
{
"content": "body_block_image_content",
"role": "assistant"
}
]
|
def x(tag_content, title_value, label_value, caption_content, set_caption=
True, prefer_title=False, prefer_label=False):
set_if_value(tag_content, 'label', rstrip_punctuation(label_value))
set_if_value(tag_content, 'title', title_value)
if set_caption is True and caption_content and len(caption_content) > 0:
tag_content['caption'] = caption_content
if prefer_title:
if 'title' not in tag_content and label_value:
set_if_value(tag_content, 'title', label_value)
del tag_content['label']
if prefer_label:
if 'label' not in tag_content and title_value:
set_if_value(tag_content, 'label', rstrip_punctuation(title_value))
del tag_content['title']
| body_block_title_label_caption | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag_content, title_value, label_value, caption_content, set_caption=\n True, prefer_title=False, prefer_label=False):\n set_if_value(tag_content, 'label', rstrip_punctuation(label_value))\n set_if_value(tag_content, 'title', title_value)\n if set_caption is True and caption_content and len(caption_content) > 0:\n tag_content['caption'] = caption_content\n if prefer_title:\n if 'title' not in tag_content and label_value:\n set_if_value(tag_content, 'title', label_value)\n del tag_content['label']\n if prefer_label:\n if 'label' not in tag_content and title_value:\n set_if_value(tag_content, 'label', rstrip_punctuation(title_value))\n del tag_content['title']\n",
"role": "user"
},
{
"content": "body_block_title_label_caption",
"role": "assistant"
}
]
|
def x(tag):
attributions = []
if raw_parser.attrib(tag):
for attrib_tag in raw_parser.attrib(tag):
attributions.append(node_contents_str(attrib_tag))
if raw_parser.permissions(tag):
for permissions_tag in raw_parser.permissions(tag):
attrib_string = ''
attrib_string = join_sentences(attrib_string, node_contents_str
(raw_parser.copyright_statement(permissions_tag)), '.')
if raw_parser.licence_p(permissions_tag):
for licence_p_tag in raw_parser.licence_p(permissions_tag):
attrib_string = join_sentences(attrib_string,
node_contents_str(licence_p_tag), '.')
if attrib_string != '':
attributions.append(attrib_string)
return attributions
| body_block_attribution | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n attributions = []\n if raw_parser.attrib(tag):\n for attrib_tag in raw_parser.attrib(tag):\n attributions.append(node_contents_str(attrib_tag))\n if raw_parser.permissions(tag):\n for permissions_tag in raw_parser.permissions(tag):\n attrib_string = ''\n attrib_string = join_sentences(attrib_string, node_contents_str\n (raw_parser.copyright_statement(permissions_tag)), '.')\n if raw_parser.licence_p(permissions_tag):\n for licence_p_tag in raw_parser.licence_p(permissions_tag):\n attrib_string = join_sentences(attrib_string,\n node_contents_str(licence_p_tag), '.')\n if attrib_string != '':\n attributions.append(attrib_string)\n return attributions\n",
"role": "user"
},
{
"content": "body_block_attribution",
"role": "assistant"
}
]
|
def x(soup):
nodenames = body_block_nodenames()
body_block_tags = []
if not soup:
return body_block_tags
first_sibling_node = firstnn(soup.find_all())
if first_sibling_node is None:
return body_block_tags
sibling_tags = first_sibling_node.find_next_siblings(nodenames)
body_block_tags.append(first_sibling_node)
for tag in sibling_tags:
body_block_tags.append(tag)
return body_block_tags
| body_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n nodenames = body_block_nodenames()\n body_block_tags = []\n if not soup:\n return body_block_tags\n first_sibling_node = firstnn(soup.find_all())\n if first_sibling_node is None:\n return body_block_tags\n sibling_tags = first_sibling_node.find_next_siblings(nodenames)\n body_block_tags.append(first_sibling_node)\n for tag in sibling_tags:\n body_block_tags.append(tag)\n return body_block_tags\n",
"role": "user"
},
{
"content": "body_blocks",
"role": "assistant"
}
]
|
def x(soup):
abstract_tags = raw_parser.abstract(soup)
abstract_json = None
for tag in abstract_tags:
if tag.get('abstract-type') is None:
abstract_json = render_abstract_json(tag)
return abstract_json
| abstract_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n abstract_tags = raw_parser.abstract(soup)\n abstract_json = None\n for tag in abstract_tags:\n if tag.get('abstract-type') is None:\n abstract_json = render_abstract_json(tag)\n return abstract_json\n",
"role": "user"
},
{
"content": "abstract_json",
"role": "assistant"
}
]
|
def x(soup):
abstract_tags = raw_parser.abstract(soup, abstract_type='executive-summary'
)
abstract_json = None
for tag in abstract_tags:
abstract_json = render_abstract_json(tag)
return abstract_json
| digest_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n abstract_tags = raw_parser.abstract(soup, abstract_type='executive-summary'\n )\n abstract_json = None\n for tag in abstract_tags:\n abstract_json = render_abstract_json(tag)\n return abstract_json\n",
"role": "user"
},
{
"content": "digest_json",
"role": "assistant"
}
]
|
def x(author, html_flag=True):
convert = lambda xml_string: xml_to_html(html_flag, xml_string)
affilations = []
if author.get('affiliations'):
for affiliation in author.get('affiliations'):
affiliation_json = OrderedDict()
affiliation_json['name'] = []
if affiliation.get('dept'):
affiliation_json['name'].append(convert(affiliation.get(
'dept')))
if affiliation.get('institution') and affiliation.get('institution'
).strip() != '':
affiliation_json['name'].append(convert(affiliation.get(
'institution')))
if affiliation_json['name'] == []:
del affiliation_json['name']
if affiliation.get('city') and affiliation.get('city').strip(
) != '' or affiliation.get('country') and affiliation.get(
'country').strip() != '':
affiliation_address = OrderedDict()
affiliation_address['formatted'] = []
affiliation_address['components'] = OrderedDict()
if affiliation.get('city') and affiliation.get('city').strip(
) != '':
affiliation_address['formatted'].append(affiliation.get
('city'))
affiliation_address['components']['locality'] = []
affiliation_address['components']['locality'].append(
affiliation.get('city'))
if affiliation.get('country') and affiliation.get('country'
).strip() != '':
affiliation_address['formatted'].append(affiliation.get
('country'))
affiliation_address['components']['country'
] = affiliation.get('country')
if affiliation_address != {}:
affiliation_json['address'] = affiliation_address
if affiliation_json != {}:
affilations.append(affiliation_json)
if affilations != []:
return affilations
else:
return None
| author_affiliations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(author, html_flag=True):\n convert = lambda xml_string: xml_to_html(html_flag, xml_string)\n affilations = []\n if author.get('affiliations'):\n for affiliation in author.get('affiliations'):\n affiliation_json = OrderedDict()\n affiliation_json['name'] = []\n if affiliation.get('dept'):\n affiliation_json['name'].append(convert(affiliation.get(\n 'dept')))\n if affiliation.get('institution') and affiliation.get('institution'\n ).strip() != '':\n affiliation_json['name'].append(convert(affiliation.get(\n 'institution')))\n if affiliation_json['name'] == []:\n del affiliation_json['name']\n if affiliation.get('city') and affiliation.get('city').strip(\n ) != '' or affiliation.get('country') and affiliation.get(\n 'country').strip() != '':\n affiliation_address = OrderedDict()\n affiliation_address['formatted'] = []\n affiliation_address['components'] = OrderedDict()\n if affiliation.get('city') and affiliation.get('city').strip(\n ) != '':\n affiliation_address['formatted'].append(affiliation.get\n ('city'))\n affiliation_address['components']['locality'] = []\n affiliation_address['components']['locality'].append(\n affiliation.get('city'))\n if affiliation.get('country') and affiliation.get('country'\n ).strip() != '':\n affiliation_address['formatted'].append(affiliation.get\n ('country'))\n affiliation_address['components']['country'\n ] = affiliation.get('country')\n if affiliation_address != {}:\n affiliation_json['address'] = affiliation_address\n if affiliation_json != {}:\n affilations.append(affiliation_json)\n if affilations != []:\n return affilations\n else:\n return None\n",
"role": "user"
},
{
"content": "author_affiliations",
"role": "assistant"
}
]
|
def x(author, author_json, contributions, correspondence,
competing_interests, equal_contributions_map, present_address_data,
foot_notes_data, html_flag=True):
convert = lambda xml_string: xml_to_html(html_flag, xml_string)
"""add more author json"""
if author_affiliations(author):
author_json['affiliations'] = author_affiliations(author)
if author_foot_notes(author, foot_notes_data):
author_json['additionalInformation'] = author_foot_notes(author,
foot_notes_data)
if author_email_addresses(author, correspondence):
author_json['emailAddresses'] = author_email_addresses(author,
correspondence)
if author_phone_numbers(author, correspondence):
author_json['phoneNumbers'] = author_phone_numbers_json(author,
correspondence)
if author_contribution(author, contributions):
author_json['contribution'] = convert(author_contribution(author,
contributions))
if author_competing_interests(author, competing_interests):
author_json['competingInterests'] = convert(author_competing_interests
(author, competing_interests))
if author_equal_contribution(author, equal_contributions_map):
author_json['equalContributionGroups'] = author_equal_contribution(
author, equal_contributions_map)
if author_present_address(author, present_address_data):
author_json['postalAddresses'] = author_present_address(author,
present_address_data)
return author_json
| author_json_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(author, author_json, contributions, correspondence,\n competing_interests, equal_contributions_map, present_address_data,\n foot_notes_data, html_flag=True):\n convert = lambda xml_string: xml_to_html(html_flag, xml_string)\n \"\"\"add more author json\"\"\"\n if author_affiliations(author):\n author_json['affiliations'] = author_affiliations(author)\n if author_foot_notes(author, foot_notes_data):\n author_json['additionalInformation'] = author_foot_notes(author,\n foot_notes_data)\n if author_email_addresses(author, correspondence):\n author_json['emailAddresses'] = author_email_addresses(author,\n correspondence)\n if author_phone_numbers(author, correspondence):\n author_json['phoneNumbers'] = author_phone_numbers_json(author,\n correspondence)\n if author_contribution(author, contributions):\n author_json['contribution'] = convert(author_contribution(author,\n contributions))\n if author_competing_interests(author, competing_interests):\n author_json['competingInterests'] = convert(author_competing_interests\n (author, competing_interests))\n if author_equal_contribution(author, equal_contributions_map):\n author_json['equalContributionGroups'] = author_equal_contribution(\n author, equal_contributions_map)\n if author_present_address(author, present_address_data):\n author_json['postalAddresses'] = author_present_address(author,\n present_address_data)\n return author_json\n",
"role": "user"
},
{
"content": "author_json_details",
"role": "assistant"
}
]
|
def x(authors):
collab_map = {}
for author in authors:
if author.get('collab'):
collab_map[author.get('collab')] = author.get('group-author-key')
return collab_map
| collab_to_group_author_key_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(authors):\n collab_map = {}\n for author in authors:\n if author.get('collab'):\n collab_map[author.get('collab')] = author.get('group-author-key')\n return collab_map\n",
"role": "user"
},
{
"content": "collab_to_group_author_key_map",
"role": "assistant"
}
]
|
def x(contributors):
equal_contribution_map = {}
equal_contribution_keys = []
for contributor in contributors:
if contributor.get('references'
) and 'equal-contrib' in contributor.get('references'):
for key in contributor['references']['equal-contrib']:
if key not in equal_contribution_keys:
equal_contribution_keys.append(key)
equal_contribution_keys = sorted(equal_contribution_keys)
for i, equal_contribution_key in enumerate(equal_contribution_keys):
equal_contribution_map[equal_contribution_key] = i + 1
return equal_contribution_map
| map_equal_contributions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contributors):\n equal_contribution_map = {}\n equal_contribution_keys = []\n for contributor in contributors:\n if contributor.get('references'\n ) and 'equal-contrib' in contributor.get('references'):\n for key in contributor['references']['equal-contrib']:\n if key not in equal_contribution_keys:\n equal_contribution_keys.append(key)\n equal_contribution_keys = sorted(equal_contribution_keys)\n for i, equal_contribution_key in enumerate(equal_contribution_keys):\n equal_contribution_map[equal_contribution_key] = i + 1\n return equal_contribution_map\n",
"role": "user"
},
{
"content": "map_equal_contributions",
"role": "assistant"
}
]
|
def x(soup):
authors_json_data = []
contributors_data = contributors(soup, 'full')
author_contributions_data = author_contributions(soup, None)
author_competing_interests_data = competing_interests(soup, None)
author_correspondence_data = full_correspondence(soup)
authors_non_byline_data = authors_non_byline(soup)
equal_contributions_map = map_equal_contributions(contributors_data)
present_address_data = present_addresses(soup)
foot_notes_data = other_foot_notes(soup)
for contributor in contributors_data:
author_json = None
if contributor['type'] == 'author' and contributor.get('collab'):
author_json = author_group(contributor,
author_contributions_data, author_correspondence_data,
author_competing_interests_data, equal_contributions_map,
present_address_data, foot_notes_data)
elif contributor.get('on-behalf-of'):
author_json = author_on_behalf_of(contributor)
elif contributor['type'] == 'author' and not contributor.get(
'group-author-key'):
author_json = author_person(contributor,
author_contributions_data, author_correspondence_data,
author_competing_interests_data, equal_contributions_map,
present_address_data, foot_notes_data)
if author_json:
authors_json_data.append(author_json)
collab_map = collab_to_group_author_key_map(contributors_data)
for contributor in [elem for elem in contributors_data if elem.get(
'group-author-key') and not elem.get('collab')]:
for group_author in [elem for elem in authors_json_data if elem.get
('type') == 'group']:
group_author_key = None
if group_author['name'] in collab_map:
group_author_key = collab_map[group_author['name']]
if contributor.get('group-author-key') == group_author_key:
author_json = author_person(contributor,
author_contributions_data, author_correspondence_data,
author_competing_interests_data,
equal_contributions_map, present_address_data,
foot_notes_data)
if contributor.get('sub-group'):
if 'groups' not in group_author:
group_author['groups'] = OrderedDict()
if contributor.get('sub-group') not in group_author[
'groups']:
group_author['groups'][contributor.get('sub-group')
] = []
group_author['groups'][contributor.get('sub-group')
].append(author_json)
else:
if 'people' not in group_author:
group_author['people'] = []
group_author['people'].append(author_json)
authors_json_data_rewritten = elifetools.json_rewrite.rewrite_json(
'authors_json', soup, authors_json_data)
return authors_json_data_rewritten
| authors_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n authors_json_data = []\n contributors_data = contributors(soup, 'full')\n author_contributions_data = author_contributions(soup, None)\n author_competing_interests_data = competing_interests(soup, None)\n author_correspondence_data = full_correspondence(soup)\n authors_non_byline_data = authors_non_byline(soup)\n equal_contributions_map = map_equal_contributions(contributors_data)\n present_address_data = present_addresses(soup)\n foot_notes_data = other_foot_notes(soup)\n for contributor in contributors_data:\n author_json = None\n if contributor['type'] == 'author' and contributor.get('collab'):\n author_json = author_group(contributor,\n author_contributions_data, author_correspondence_data,\n author_competing_interests_data, equal_contributions_map,\n present_address_data, foot_notes_data)\n elif contributor.get('on-behalf-of'):\n author_json = author_on_behalf_of(contributor)\n elif contributor['type'] == 'author' and not contributor.get(\n 'group-author-key'):\n author_json = author_person(contributor,\n author_contributions_data, author_correspondence_data,\n author_competing_interests_data, equal_contributions_map,\n present_address_data, foot_notes_data)\n if author_json:\n authors_json_data.append(author_json)\n collab_map = collab_to_group_author_key_map(contributors_data)\n for contributor in [elem for elem in contributors_data if elem.get(\n 'group-author-key') and not elem.get('collab')]:\n for group_author in [elem for elem in authors_json_data if elem.get\n ('type') == 'group']:\n group_author_key = None\n if group_author['name'] in collab_map:\n group_author_key = collab_map[group_author['name']]\n if contributor.get('group-author-key') == group_author_key:\n author_json = author_person(contributor,\n author_contributions_data, author_correspondence_data,\n author_competing_interests_data,\n equal_contributions_map, present_address_data,\n foot_notes_data)\n if contributor.get('sub-group'):\n if 'groups' not in group_author:\n group_author['groups'] = OrderedDict()\n if contributor.get('sub-group') not in group_author[\n 'groups']:\n group_author['groups'][contributor.get('sub-group')\n ] = []\n group_author['groups'][contributor.get('sub-group')\n ].append(author_json)\n else:\n if 'people' not in group_author:\n group_author['people'] = []\n group_author['people'].append(author_json)\n authors_json_data_rewritten = elifetools.json_rewrite.rewrite_json(\n 'authors_json', soup, authors_json_data)\n return authors_json_data_rewritten\n",
"role": "user"
},
{
"content": "authors_json",
"role": "assistant"
}
]
|
def x(soup):
author_line = None
authors_json_data = authors_json(soup)
author_names = extract_author_line_names(authors_json_data)
if len(author_names) > 0:
author_line = format_author_line(author_names)
return author_line
| author_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup):\n author_line = None\n authors_json_data = authors_json(soup)\n author_names = extract_author_line_names(authors_json_data)\n if len(author_names) > 0:\n author_line = format_author_line(author_names)\n return author_line\n",
"role": "user"
},
{
"content": "author_line",
"role": "assistant"
}
]
|
def x(author_names):
author_line = None
if not author_names:
return author_line
if len(author_names) <= 2:
author_line = ', '.join(author_names)
elif len(author_names) > 2:
author_line = author_names[0] + ' et al.'
return author_line
| format_author_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(author_names):\n author_line = None\n if not author_names:\n return author_line\n if len(author_names) <= 2:\n author_line = ', '.join(author_names)\n elif len(author_names) > 2:\n author_line = author_names[0] + ' et al.'\n return author_line\n",
"role": "user"
},
{
"content": "format_author_line",
"role": "assistant"
}
]
|
def x(year=None):
date = None
discriminator = None
in_press = None
if year and 'in press' in year.lower().strip():
in_press = True
elif year and re.match('^[0-9]+$', year):
date = year
elif year:
discriminator_match = re.match('^([0-9]+?)([a-z]+?)$', year)
if discriminator_match:
date = discriminator_match.group(1)
discriminator = discriminator_match.group(2)
else:
date = year
return date, discriminator, in_press
| references_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year=None):\n date = None\n discriminator = None\n in_press = None\n if year and 'in press' in year.lower().strip():\n in_press = True\n elif year and re.match('^[0-9]+$', year):\n date = year\n elif year:\n discriminator_match = re.match('^([0-9]+?)([a-z]+?)$', year)\n if discriminator_match:\n date = discriminator_match.group(1)\n discriminator = discriminator_match.group(2)\n else:\n date = year\n return date, discriminator, in_press\n",
"role": "user"
},
{
"content": "references_date",
"role": "assistant"
}
]
|
def x(ref_authors, ref_content):
all_authors = references_authors(ref_authors)
if all_authors != {}:
if ref_content.get('type') in ['conference-proceeding', 'journal',
'other', 'periodical', 'preprint', 'report', 'web']:
for author_type in ['authors', 'authorsEtAl']:
set_if_value(ref_content, author_type, all_authors.get(
author_type))
elif ref_content.get('type') in ['book', 'book-chapter']:
for author_type in ['authors', 'authorsEtAl', 'editors',
'editorsEtAl']:
set_if_value(ref_content, author_type, all_authors.get(
author_type))
elif ref_content.get('type') in ['clinical-trial']:
for author_type in ['authors', 'collaborators', 'sponsors']:
if 'authorsType' not in ref_content and all_authors.get(
author_type):
set_if_value(ref_content, 'authors', all_authors.get(
author_type))
set_if_value(ref_content, 'authorsEtAl', all_authors.
get(author_type + 'EtAl'))
ref_content['authorsType'] = author_type
elif ref_content.get('type') in ['data', 'software']:
for author_type in ['authors', 'authorsEtAl', 'compilers',
'compilersEtAl', 'curators', 'curatorsEtAl']:
set_if_value(ref_content, author_type, all_authors.get(
author_type))
elif ref_content.get('type') in ['patent']:
for author_type in ['inventors', 'inventorsEtAl', 'assignees',
'assigneesEtAl']:
set_if_value(ref_content, author_type, all_authors.get(
author_type))
elif ref_content.get('type') in ['thesis']:
if all_authors.get('authors') and len(all_authors.get('authors')
) > 0:
ref_content['author'] = all_authors.get('authors')[0]
return ref_content
| references_json_authors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ref_authors, ref_content):\n all_authors = references_authors(ref_authors)\n if all_authors != {}:\n if ref_content.get('type') in ['conference-proceeding', 'journal',\n 'other', 'periodical', 'preprint', 'report', 'web']:\n for author_type in ['authors', 'authorsEtAl']:\n set_if_value(ref_content, author_type, all_authors.get(\n author_type))\n elif ref_content.get('type') in ['book', 'book-chapter']:\n for author_type in ['authors', 'authorsEtAl', 'editors',\n 'editorsEtAl']:\n set_if_value(ref_content, author_type, all_authors.get(\n author_type))\n elif ref_content.get('type') in ['clinical-trial']:\n for author_type in ['authors', 'collaborators', 'sponsors']:\n if 'authorsType' not in ref_content and all_authors.get(\n author_type):\n set_if_value(ref_content, 'authors', all_authors.get(\n author_type))\n set_if_value(ref_content, 'authorsEtAl', all_authors.\n get(author_type + 'EtAl'))\n ref_content['authorsType'] = author_type\n elif ref_content.get('type') in ['data', 'software']:\n for author_type in ['authors', 'authorsEtAl', 'compilers',\n 'compilersEtAl', 'curators', 'curatorsEtAl']:\n set_if_value(ref_content, author_type, all_authors.get(\n author_type))\n elif ref_content.get('type') in ['patent']:\n for author_type in ['inventors', 'inventorsEtAl', 'assignees',\n 'assigneesEtAl']:\n set_if_value(ref_content, author_type, all_authors.get(\n author_type))\n elif ref_content.get('type') in ['thesis']:\n if all_authors.get('authors') and len(all_authors.get('authors')\n ) > 0:\n ref_content['author'] = all_authors.get('authors')[0]\n return ref_content\n",
"role": "user"
},
{
"content": "references_json_authors",
"role": "assistant"
}
]
|
def x(ref_content, soup=None):
if ref_content.get('type') == 'other' or ref_content.get('type'
) == 'book-chapter' and 'editors' not in ref_content or ref_content.get(
'type'
) == 'journal' and 'articleTitle' not in ref_content or ref_content.get(
'type') in ['journal', 'book-chapter'
] and not 'pages' in ref_content or ref_content.get('type'
) == 'journal' and 'journal' not in ref_content or ref_content.get(
'type') in ['book', 'book-chapter', 'report', 'thesis', 'software'
] and 'publisher' not in ref_content or ref_content.get('type'
) == 'book' and 'bookTitle' not in ref_content or ref_content.get(
'type') == 'data' and 'source' not in ref_content or ref_content.get(
'type') == 'conference-proceeding' and 'conference' not in ref_content:
ref_content = references_json_to_unknown(ref_content, soup)
return ref_content
| convert_references_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ref_content, soup=None):\n if ref_content.get('type') == 'other' or ref_content.get('type'\n ) == 'book-chapter' and 'editors' not in ref_content or ref_content.get(\n 'type'\n ) == 'journal' and 'articleTitle' not in ref_content or ref_content.get(\n 'type') in ['journal', 'book-chapter'\n ] and not 'pages' in ref_content or ref_content.get('type'\n ) == 'journal' and 'journal' not in ref_content or ref_content.get(\n 'type') in ['book', 'book-chapter', 'report', 'thesis', 'software'\n ] and 'publisher' not in ref_content or ref_content.get('type'\n ) == 'book' and 'bookTitle' not in ref_content or ref_content.get(\n 'type') == 'data' and 'source' not in ref_content or ref_content.get(\n 'type') == 'conference-proceeding' and 'conference' not in ref_content:\n ref_content = references_json_to_unknown(ref_content, soup)\n return ref_content\n",
"role": "user"
},
{
"content": "convert_references_json",
"role": "assistant"
}
]
|
def x(ref_content, soup=None):
details = ''
if 'pages' in ref_content:
if 'range' in ref_content['pages']:
details += ref_content['pages']['range']
else:
details += ref_content['pages']
if soup:
if 'id' in ref_content:
ref_tag = first(soup.select('ref#' + ref_content['id']))
if ref_tag:
for remove_tag in ['person-group', 'year', 'article-title',
'elocation-id', 'fpage', 'lpage']:
ref_tag = remove_tag_from_tag(ref_tag, remove_tag)
for tag in first(raw_parser.element_citation(ref_tag)):
if node_text(tag) is not None:
if details != '':
details += ', '
details += node_text(tag)
if details == '':
return None
else:
return details
| references_json_unknown_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ref_content, soup=None):\n details = ''\n if 'pages' in ref_content:\n if 'range' in ref_content['pages']:\n details += ref_content['pages']['range']\n else:\n details += ref_content['pages']\n if soup:\n if 'id' in ref_content:\n ref_tag = first(soup.select('ref#' + ref_content['id']))\n if ref_tag:\n for remove_tag in ['person-group', 'year', 'article-title',\n 'elocation-id', 'fpage', 'lpage']:\n ref_tag = remove_tag_from_tag(ref_tag, remove_tag)\n for tag in first(raw_parser.element_citation(ref_tag)):\n if node_text(tag) is not None:\n if details != '':\n details += ', '\n details += node_text(tag)\n if details == '':\n return None\n else:\n return details\n",
"role": "user"
},
{
"content": "references_json_unknown_details",
"role": "assistant"
}
]
|
def x(json_content):
if json_content.get('content') and len(json_content['content']) > 0:
first_block = json_content['content'][0]
if first_block.get('type') and first_block.get('type'
) == 'box' and first_block.get('content'):
if first_block.get('doi') and not json_content.get('doi'):
json_content['doi'] = first_block.get('doi')
json_content['content'] = first_block['content']
return json_content
| unwrap_appendix_box | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_content):\n if json_content.get('content') and len(json_content['content']) > 0:\n first_block = json_content['content'][0]\n if first_block.get('type') and first_block.get('type'\n ) == 'box' and first_block.get('content'):\n if first_block.get('doi') and not json_content.get('doi'):\n json_content['doi'] = first_block.get('doi')\n json_content['content'] = first_block['content']\n return json_content\n",
"role": "user"
},
{
"content": "unwrap_appendix_box",
"role": "assistant"
}
]
|
def x(source_path):
logging.info('Extracting schemas from %s', source_path)
try:
with open(source_path, 'r') as source_file:
source = source_file.read()
except (FileNotFoundError, PermissionError) as e:
logging.error('Cannot extract schemas: %s', e.strerror)
else:
try:
schemas = extract_schemas_from_source(source, source_path)
except SyntaxError as e:
logging.error('Cannot extract schemas: %s', str(e))
else:
logging.info('Extracted %d %s', len(schemas), 'schema' if len(
schemas) == 1 else 'schemas')
return schemas
| extract_schemas_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_path):\n logging.info('Extracting schemas from %s', source_path)\n try:\n with open(source_path, 'r') as source_file:\n source = source_file.read()\n except (FileNotFoundError, PermissionError) as e:\n logging.error('Cannot extract schemas: %s', e.strerror)\n else:\n try:\n schemas = extract_schemas_from_source(source, source_path)\n except SyntaxError as e:\n logging.error('Cannot extract schemas: %s', str(e))\n else:\n logging.info('Extracted %d %s', len(schemas), 'schema' if len(\n schemas) == 1 else 'schemas')\n return schemas\n",
"role": "user"
},
{
"content": "extract_schemas_from_file",
"role": "assistant"
}
]
|
def x(tree):
result = {}
for node in ast.walk(tree):
if isinstance(node, ast.Assign):
for target in node.targets:
if isinstance(target, ast.Name):
result[target.id] = node.value
return result
| get_simple_assignments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tree):\n result = {}\n for node in ast.walk(tree):\n if isinstance(node, ast.Assign):\n for target in node.targets:\n if isinstance(target, ast.Name):\n result[target.id] = node.value\n return result\n",
"role": "user"
},
{
"content": "get_simple_assignments",
"role": "assistant"
}
]
|
def x(source, filename='<unknown>'):
acceptable_services = set()
acceptable_views = {}
schemas_found = []
ast_tree = ast.parse(source, filename)
simple_names = _get_simple_assignments(ast_tree)
assigns = [n for n in ast_tree.body if isinstance(n, ast.Assign)]
call_assigns = [n for n in assigns if isinstance(n.value, ast.Call)]
for assign in call_assigns:
if isinstance(assign.value.func, ast.Attribute):
continue
if assign.value.func.id == 'AcceptableService':
for target in assign.targets:
acceptable_services.add(target.id)
for assign in call_assigns:
if (isinstance(assign.value.func, ast.Attribute) and assign.value.
func.value.id in acceptable_services and assign.value.func.attr ==
'api'):
url = None
name = None
methods = ['GET']
args = assign.value.args
if len(args) >= 1:
url = ast.literal_eval(args[0])
if len(args) >= 2:
name = ast.literal_eval(args[1])
kwargs = assign.value.keywords
for kwarg in kwargs:
if kwarg.arg == 'url':
url = ast.literal_eval(kwarg.value)
if kwarg.arg == 'methods':
methods = ast.literal_eval(kwarg.value)
if kwarg.arg == 'view_name':
name = ast.literal_eval(kwarg.value)
if url and name:
for target in assign.targets:
acceptable_views[target.id] = {'url': url, 'name': name,
'methods': methods}
functions = [n for n in ast_tree.body if isinstance(n, ast.FunctionDef)]
for function in functions:
input_schema = None
output_schema = None
doc = ast.get_docstring(function)
api_options_list = []
for decorator in function.decorator_list:
if not isinstance(decorator, ast.Call):
continue
if isinstance(decorator.func, ast.Attribute):
decorator_name = decorator.func.value.id
version = None
for kwarg in decorator.keywords:
if kwarg.arg == 'introduced_at':
version = ast.literal_eval(kwarg.value)
break
if len(decorator.args) == 1:
version = ast.literal_eval(decorator.args[0])
if decorator_name in acceptable_views:
api_options = acceptable_views[decorator_name]
api_options['version'] = version
api_options_list.append(api_options)
else:
decorator_name = decorator.func.id
if decorator_name == 'validate_body':
_SimpleNamesResolver(simple_names).visit(decorator.args[0])
input_schema = ast.literal_eval(decorator.args[0])
if decorator_name == 'validate_output':
_SimpleNamesResolver(simple_names).visit(decorator.args[0])
output_schema = ast.literal_eval(decorator.args[0])
for api_options in api_options_list:
schema = ViewSchema(view_name=api_options['name'], version=
api_options['version'], input_schema=input_schema,
output_schema=output_schema, methods=api_options['methods'],
url=api_options['url'], doc=doc)
schemas_found.append(schema)
return schemas_found
| extract_schemas_from_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, filename='<unknown>'):\n acceptable_services = set()\n acceptable_views = {}\n schemas_found = []\n ast_tree = ast.parse(source, filename)\n simple_names = _get_simple_assignments(ast_tree)\n assigns = [n for n in ast_tree.body if isinstance(n, ast.Assign)]\n call_assigns = [n for n in assigns if isinstance(n.value, ast.Call)]\n for assign in call_assigns:\n if isinstance(assign.value.func, ast.Attribute):\n continue\n if assign.value.func.id == 'AcceptableService':\n for target in assign.targets:\n acceptable_services.add(target.id)\n for assign in call_assigns:\n if (isinstance(assign.value.func, ast.Attribute) and assign.value.\n func.value.id in acceptable_services and assign.value.func.attr ==\n 'api'):\n url = None\n name = None\n methods = ['GET']\n args = assign.value.args\n if len(args) >= 1:\n url = ast.literal_eval(args[0])\n if len(args) >= 2:\n name = ast.literal_eval(args[1])\n kwargs = assign.value.keywords\n for kwarg in kwargs:\n if kwarg.arg == 'url':\n url = ast.literal_eval(kwarg.value)\n if kwarg.arg == 'methods':\n methods = ast.literal_eval(kwarg.value)\n if kwarg.arg == 'view_name':\n name = ast.literal_eval(kwarg.value)\n if url and name:\n for target in assign.targets:\n acceptable_views[target.id] = {'url': url, 'name': name,\n 'methods': methods}\n functions = [n for n in ast_tree.body if isinstance(n, ast.FunctionDef)]\n for function in functions:\n input_schema = None\n output_schema = None\n doc = ast.get_docstring(function)\n api_options_list = []\n for decorator in function.decorator_list:\n if not isinstance(decorator, ast.Call):\n continue\n if isinstance(decorator.func, ast.Attribute):\n decorator_name = decorator.func.value.id\n version = None\n for kwarg in decorator.keywords:\n if kwarg.arg == 'introduced_at':\n version = ast.literal_eval(kwarg.value)\n break\n if len(decorator.args) == 1:\n version = ast.literal_eval(decorator.args[0])\n if decorator_name in acceptable_views:\n api_options = acceptable_views[decorator_name]\n api_options['version'] = version\n api_options_list.append(api_options)\n else:\n decorator_name = decorator.func.id\n if decorator_name == 'validate_body':\n _SimpleNamesResolver(simple_names).visit(decorator.args[0])\n input_schema = ast.literal_eval(decorator.args[0])\n if decorator_name == 'validate_output':\n _SimpleNamesResolver(simple_names).visit(decorator.args[0])\n output_schema = ast.literal_eval(decorator.args[0])\n for api_options in api_options_list:\n schema = ViewSchema(view_name=api_options['name'], version=\n api_options['version'], input_schema=input_schema,\n output_schema=output_schema, methods=api_options['methods'],\n url=api_options['url'], doc=doc)\n schemas_found.append(schema)\n return schemas_found\n",
"role": "user"
},
{
"content": "extract_schemas_from_source",
"role": "assistant"
}
]
|
def x(value):
if isinstance(value, list):
return '[' + ', '.join(render_value(v) for v in value) + ']'
elif isinstance(value, dict):
return '{' + ', '.join('{k!r}: {v}'.format(k=k, v=render_value(v)) for
k, v in sorted(value.items())) + '}'
else:
return repr(value)
| render_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, list):\n return '[' + ', '.join(render_value(v) for v in value) + ']'\n elif isinstance(value, dict):\n return '{' + ', '.join('{k!r}: {v}'.format(k=k, v=render_value(v)) for\n k, v in sorted(value.items())) + '}'\n else:\n return repr(value)\n",
"role": "user"
},
{
"content": "render_value",
"role": "assistant"
}
]
|
def x(target_root, service_name, rendered):
target_path = os.path.join(target_root, 'snapstore_schemas',
'service_doubles', '%s.py' % service_name)
with open(target_path, 'w') as target_file:
target_file.write(rendered)
| write_service_double_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target_root, service_name, rendered):\n target_path = os.path.join(target_root, 'snapstore_schemas',\n 'service_doubles', '%s.py' % service_name)\n with open(target_path, 'w') as target_file:\n target_file.write(rendered)\n",
"role": "user"
},
{
"content": "write_service_double_file",
"role": "assistant"
}
]
|
def x(docstring):
docstring = docstring.strip()
if '\n' in docstring:
if docstring[0].isspace():
return textwrap.dedent(docstring)
else:
first, _, rest = docstring.partition('\n')
return first + '\n' + textwrap.dedent(rest)
return docstring
| clean_docstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(docstring):\n docstring = docstring.strip()\n if '\\n' in docstring:\n if docstring[0].isspace():\n return textwrap.dedent(docstring)\n else:\n first, _, rest = docstring.partition('\\n')\n return first + '\\n' + textwrap.dedent(rest)\n return docstring\n",
"role": "user"
},
{
"content": "clean_docstring",
"role": "assistant"
}
]
|
def x(schema):
if isinstance(schema, dict):
for k, v in sorted(schema.items()):
if isinstance(v, dict):
yield k, OrderedDict(_sort_schema(v))
elif isinstance(v, list):
yield k, list(_sort_schema(v))
else:
yield k, v
elif isinstance(schema, list):
for v in schema:
if isinstance(v, dict):
yield OrderedDict(_sort_schema(v))
elif isinstance(v, list):
yield list(_sort_schema(v))
else:
yield v
else:
yield d
| sort_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schema):\n if isinstance(schema, dict):\n for k, v in sorted(schema.items()):\n if isinstance(v, dict):\n yield k, OrderedDict(_sort_schema(v))\n elif isinstance(v, list):\n yield k, list(_sort_schema(v))\n else:\n yield k, v\n elif isinstance(schema, list):\n for v in schema:\n if isinstance(v, dict):\n yield OrderedDict(_sort_schema(v))\n elif isinstance(v, list):\n yield list(_sort_schema(v))\n else:\n yield v\n else:\n yield d\n",
"role": "user"
},
{
"content": "sort_schema",
"role": "assistant"
}
]
|
def x(patterns):
for pattern in patterns:
group = getattr(pattern, 'namespace', None)
if group is None:
group = getattr(pattern, 'app_name', None)
path = '/' + get_pattern(pattern).lstrip('^').rstrip('$')
if isinstance(pattern, PATTERNS):
yield (group, pattern.name), path
elif isinstance(pattern, RESOLVERS):
subpatterns = pattern.url_patterns
for (_, name), subpath in urlmap(subpatterns):
yield (group, name), path.rstrip('/') + subpath
| urlmap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns):\n for pattern in patterns:\n group = getattr(pattern, 'namespace', None)\n if group is None:\n group = getattr(pattern, 'app_name', None)\n path = '/' + get_pattern(pattern).lstrip('^').rstrip('$')\n if isinstance(pattern, PATTERNS):\n yield (group, pattern.name), path\n elif isinstance(pattern, RESOLVERS):\n subpatterns = pattern.url_patterns\n for (_, name), subpath in urlmap(subpatterns):\n yield (group, name), path.rstrip('/') + subpath\n",
"role": "user"
},
{
"content": "urlmap",
"role": "assistant"
}
]
|
def x(name, field):
field_schema = {'type': 'string'}
if field.label:
field_schema['title'] = str(field.label)
if field.help_text:
field_schema['description'] = str(field.help_text)
if isinstance(field, (fields.URLField, fields.FileField)):
field_schema['format'] = 'uri'
elif isinstance(field, fields.EmailField):
field_schema['format'] = 'email'
elif isinstance(field, fields.DateTimeField):
field_schema['format'] = 'date-time'
elif isinstance(field, fields.DateField):
field_schema['format'] = 'date'
elif isinstance(field, (fields.DecimalField, fields.FloatField)):
field_schema['type'] = 'number'
elif isinstance(field, fields.IntegerField):
field_schema['type'] = 'integer'
elif isinstance(field, fields.NullBooleanField):
field_schema['type'] = 'boolean'
elif isinstance(field.widget, widgets.CheckboxInput):
field_schema['type'] = 'boolean'
if getattr(field, 'choices', []):
field_schema['enum'] = sorted([choice[0] for choice in field.choices])
if isinstance(field.widget, (widgets.Select, widgets.ChoiceWidget)):
if field.widget.allow_multiple_selected:
field_schema['items'] = {'type': field_schema['type']}
if 'enum' in field_schema:
field_schema['items']['enum'] = field_schema.pop('enum')
field_schema['type'] = 'array'
return field_schema
| get_field_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, field):\n field_schema = {'type': 'string'}\n if field.label:\n field_schema['title'] = str(field.label)\n if field.help_text:\n field_schema['description'] = str(field.help_text)\n if isinstance(field, (fields.URLField, fields.FileField)):\n field_schema['format'] = 'uri'\n elif isinstance(field, fields.EmailField):\n field_schema['format'] = 'email'\n elif isinstance(field, fields.DateTimeField):\n field_schema['format'] = 'date-time'\n elif isinstance(field, fields.DateField):\n field_schema['format'] = 'date'\n elif isinstance(field, (fields.DecimalField, fields.FloatField)):\n field_schema['type'] = 'number'\n elif isinstance(field, fields.IntegerField):\n field_schema['type'] = 'integer'\n elif isinstance(field, fields.NullBooleanField):\n field_schema['type'] = 'boolean'\n elif isinstance(field.widget, widgets.CheckboxInput):\n field_schema['type'] = 'boolean'\n if getattr(field, 'choices', []):\n field_schema['enum'] = sorted([choice[0] for choice in field.choices])\n if isinstance(field.widget, (widgets.Select, widgets.ChoiceWidget)):\n if field.widget.allow_multiple_selected:\n field_schema['items'] = {'type': field_schema['type']}\n if 'enum' in field_schema:\n field_schema['items']['enum'] = field_schema.pop('enum')\n field_schema['type'] = 'array'\n return field_schema\n",
"role": "user"
},
{
"content": "get_field_schema",
"role": "assistant"
}
]
|
def x(form):
schema = {'type': 'object', 'properties': {}}
for name, field in form.base_fields.items():
schema['properties'][name] = get_field_schema(name, field)
if field.required:
schema.setdefault('required', []).append(name)
return schema
| get_form_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(form):\n schema = {'type': 'object', 'properties': {}}\n for name, field in form.base_fields.items():\n schema['properties'][name] = get_field_schema(name, field)\n if field.required:\n schema.setdefault('required', []).append(name)\n return schema\n",
"role": "user"
},
{
"content": "get_form_schema",
"role": "assistant"
}
]
|
def x(self, handler_class):
self.handler_class = handler_class
if self.docs is None and handler_class.__doc__:
self.docs = clean_docstring(handler_class.__doc__)
return handler_class
| handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handler_class):\n self.handler_class = handler_class\n if self.docs is None and handler_class.__doc__:\n self.docs = clean_docstring(handler_class.__doc__)\n return handler_class\n",
"role": "user"
},
{
"content": "handler",
"role": "assistant"
}
]
|
def x(html_flag, xml_string, base_url=None):
if not xml_string or not html_flag is True:
return xml_string
html_string = xml_string
html_string = remove_comment_tags(html_string)
if '<' in html_string or '>' in html_string:
html_string = escape_html(html_string)
html_string = replace_xref_tags(html_string)
html_string = replace_ext_link_tags(html_string)
html_string = replace_email_tags(html_string)
html_string = replace_inline_graphic_tags(html_string, base_url)
html_string = replace_named_content_tags(html_string)
html_string = replace_mathml_tags(html_string)
html_string = replace_table_style_author_callout(html_string)
html_string = replace_simple_tags(html_string, 'italic', 'i')
html_string = replace_simple_tags(html_string, 'bold', 'b')
html_string = replace_simple_tags(html_string, 'underline', 'span',
'<span class="underline">')
html_string = replace_simple_tags(html_string, 'sc', 'span',
'<span class="small-caps">')
html_string = replace_simple_tags(html_string, 'monospace', 'span',
'<span class="monospace">')
html_string = replace_simple_tags(html_string, 'inline-formula', None)
html_string = replace_simple_tags(html_string, 'break', 'br')
return html_string
| xml_to_html | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html_flag, xml_string, base_url=None):\n if not xml_string or not html_flag is True:\n return xml_string\n html_string = xml_string\n html_string = remove_comment_tags(html_string)\n if '<' in html_string or '>' in html_string:\n html_string = escape_html(html_string)\n html_string = replace_xref_tags(html_string)\n html_string = replace_ext_link_tags(html_string)\n html_string = replace_email_tags(html_string)\n html_string = replace_inline_graphic_tags(html_string, base_url)\n html_string = replace_named_content_tags(html_string)\n html_string = replace_mathml_tags(html_string)\n html_string = replace_table_style_author_callout(html_string)\n html_string = replace_simple_tags(html_string, 'italic', 'i')\n html_string = replace_simple_tags(html_string, 'bold', 'b')\n html_string = replace_simple_tags(html_string, 'underline', 'span',\n '<span class=\"underline\">')\n html_string = replace_simple_tags(html_string, 'sc', 'span',\n '<span class=\"small-caps\">')\n html_string = replace_simple_tags(html_string, 'monospace', 'span',\n '<span class=\"monospace\">')\n html_string = replace_simple_tags(html_string, 'inline-formula', None)\n html_string = replace_simple_tags(html_string, 'break', 'br')\n return html_string\n",
"role": "user"
},
{
"content": "xml_to_html",
"role": "assistant"
}
]
|
def x(s, from_tag='italic', to_tag='i', to_open_tag=None):
if to_open_tag:
s = s.replace('<' + from_tag + '>', to_open_tag)
elif to_tag:
s = s.replace('<' + from_tag + '>', '<' + to_tag + '>')
s = s.replace('<' + from_tag + '/>', '<' + to_tag + '/>')
else:
s = s.replace('<' + from_tag + '>', '')
s = s.replace('<' + from_tag + '/>', '')
if to_tag:
s = s.replace('</' + from_tag + '>', '</' + to_tag + '>')
else:
s = s.replace('</' + from_tag + '>', '')
return s
| replace_simple_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, from_tag='italic', to_tag='i', to_open_tag=None):\n if to_open_tag:\n s = s.replace('<' + from_tag + '>', to_open_tag)\n elif to_tag:\n s = s.replace('<' + from_tag + '>', '<' + to_tag + '>')\n s = s.replace('<' + from_tag + '/>', '<' + to_tag + '/>')\n else:\n s = s.replace('<' + from_tag + '>', '')\n s = s.replace('<' + from_tag + '/>', '')\n if to_tag:\n s = s.replace('</' + from_tag + '>', '</' + to_tag + '>')\n else:\n s = s.replace('</' + from_tag + '>', '')\n return s\n",
"role": "user"
},
{
"content": "replace_simple_tags",
"role": "assistant"
}
]
|
def x(schema):
location = get_callsite_location()
def x(fn):
validate_schema(schema)
wrapper = wrap_request(fn, schema)
record_schemas(fn, wrapper, location, request_schema=sort_schema(
schema))
return wrapper
return decorator
| validate_body | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schema):\n location = get_callsite_location()\n\n def x(fn):\n validate_schema(schema)\n wrapper = wrap_request(fn, schema)\n record_schemas(fn, wrapper, location, request_schema=sort_schema(\n schema))\n return wrapper\n return decorator\n",
"role": "user"
},
{
"content": "validate_body",
"role": "assistant"
}
]
|
def x(fn, wrapper, location, request_schema=None, response_schema=None):
has_acceptable = hasattr(fn, '_acceptable_metadata')
if request_schema is not None:
wrapper._request_schema = wrapper._request_schema = request_schema
wrapper._request_schema_location = location
if has_acceptable:
fn._acceptable_metadata._request_schema = request_schema
fn._acceptable_metadata._request_schema_location = location
if response_schema is not None:
wrapper._response_schema = wrapper._response_schema = response_schema
wrapper._response_schema_location = location
if has_acceptable:
fn._acceptable_metadata._response_schema = response_schema
fn._acceptable_metadata._response_schema_location = location
| record_schemas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn, wrapper, location, request_schema=None, response_schema=None):\n has_acceptable = hasattr(fn, '_acceptable_metadata')\n if request_schema is not None:\n wrapper._request_schema = wrapper._request_schema = request_schema\n wrapper._request_schema_location = location\n if has_acceptable:\n fn._acceptable_metadata._request_schema = request_schema\n fn._acceptable_metadata._request_schema_location = location\n if response_schema is not None:\n wrapper._response_schema = wrapper._response_schema = response_schema\n wrapper._response_schema_location = location\n if has_acceptable:\n fn._acceptable_metadata._response_schema = response_schema\n fn._acceptable_metadata._response_schema_location = location\n",
"role": "user"
},
{
"content": "record_schemas",
"role": "assistant"
}
]
|
def x(schema):
location = get_callsite_location()
def x(fn):
validate_schema(schema)
wrapper = wrap_response(fn, schema)
record_schemas(fn, wrapper, location, response_schema=sort_schema(
schema))
return wrapper
return decorator
| validate_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schema):\n location = get_callsite_location()\n\n def x(fn):\n validate_schema(schema)\n wrapper = wrap_response(fn, schema)\n record_schemas(fn, wrapper, location, response_schema=sort_schema(\n schema))\n return wrapper\n return decorator\n",
"role": "user"
},
{
"content": "validate_output",
"role": "assistant"
}
]
|
def x(payload, schema):
v = jsonschema.Draft4Validator(schema, format_checker=jsonschema.
FormatChecker())
error_list = []
for error in v.iter_errors(payload):
message = error.message
location = '/' + '/'.join([str(c) for c in error.absolute_path])
error_list.append(message + ' at ' + location)
return error_list
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(payload, schema):\n v = jsonschema.Draft4Validator(schema, format_checker=jsonschema.\n FormatChecker())\n error_list = []\n for error in v.iter_errors(payload):\n message = error.message\n location = '/' + '/'.join([str(c) for c in error.absolute_path])\n error_list.append(message + ' at ' + location)\n return error_list\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
]
|
def x(url, max_retries=None, **kwargs):
client = AvaticaClient(url, max_retries=max_retries)
client.connect()
return Connection(client, **kwargs)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, max_retries=None, **kwargs):\n client = AvaticaClient(url, max_retries=max_retries)\n client.connect()\n return Connection(client, **kwargs)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
]
|
def x(self):
logger.debug('Opening connection to %s:%s', self.url.hostname, self.url
.port)
try:
self.connection = httplib.HTTPConnection(self.url.hostname, self.
url.port)
self.connection.connect()
except (httplib.HTTPException, socket.error) as e:
raise errors.InterfaceError(
'Unable to connect to the specified service', e)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logger.debug('Opening connection to %s:%s', self.url.hostname, self.url\n .port)\n try:\n self.connection = httplib.HTTPConnection(self.url.hostname, self.\n url.port)\n self.connection.connect()\n except (httplib.HTTPException, socket.error) as e:\n raise errors.InterfaceError(\n 'Unable to connect to the specified service', e)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
]
|
def x(self):
if self.connection is not None:
logger.debug('Closing connection to %s:%s', self.url.hostname, self
.url.port)
try:
self.connection.close()
except httplib.HTTPException:
logger.warning('Error while closing connection', exc_info=True)
self.connection = None
| close | [
{
"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.connection is not None:\n logger.debug('Closing connection to %s:%s', self.url.hostname, self\n .url.port)\n try:\n self.connection.close()\n except httplib.HTTPException:\n logger.warning('Error while closing connection', exc_info=True)\n self.connection = None\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
]
|
def x(self, connection_id, connProps=None):
if connProps is None:
connProps = {}
request = requests_pb2.ConnectionSyncRequest()
request.connection_id = connection_id
request.conn_props.auto_commit = connProps.get('autoCommit', False)
request.conn_props.has_auto_commit = True
request.conn_props.read_only = connProps.get('readOnly', False)
request.conn_props.has_read_only = True
request.conn_props.transaction_isolation = connProps.get(
'transactionIsolation', 0)
request.conn_props.catalog = connProps.get('catalog', '')
request.conn_props.schema = connProps.get('schema', '')
response_data = self._apply(request)
response = responses_pb2.ConnectionSyncResponse()
response.ParseFromString(response_data)
return response.conn_props
| connection_sync | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection_id, connProps=None):\n if connProps is None:\n connProps = {}\n request = requests_pb2.ConnectionSyncRequest()\n request.connection_id = connection_id\n request.conn_props.auto_commit = connProps.get('autoCommit', False)\n request.conn_props.has_auto_commit = True\n request.conn_props.read_only = connProps.get('readOnly', False)\n request.conn_props.has_read_only = True\n request.conn_props.transaction_isolation = connProps.get(\n 'transactionIsolation', 0)\n request.conn_props.catalog = connProps.get('catalog', '')\n request.conn_props.schema = connProps.get('schema', '')\n response_data = self._apply(request)\n response = responses_pb2.ConnectionSyncResponse()\n response.ParseFromString(response_data)\n return response.conn_props\n",
"role": "user"
},
{
"content": "connection_sync",
"role": "assistant"
}
]
|
def x(self, connection_id, info=None):
request = requests_pb2.OpenConnectionRequest()
request.connection_id = connection_id
if info is not None:
for k, v in info.items():
request.info[k] = v
response_data = self._apply(request)
response = responses_pb2.OpenConnectionResponse()
response.ParseFromString(response_data)
| open_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection_id, info=None):\n request = requests_pb2.OpenConnectionRequest()\n request.connection_id = connection_id\n if info is not None:\n for k, v in info.items():\n request.info[k] = v\n response_data = self._apply(request)\n response = responses_pb2.OpenConnectionResponse()\n response.ParseFromString(response_data)\n",
"role": "user"
},
{
"content": "open_connection",
"role": "assistant"
}
]
|
def x(self, connection_id):
request = requests_pb2.CloseConnectionRequest()
request.connection_id = connection_id
self._apply(request)
| close_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection_id):\n request = requests_pb2.CloseConnectionRequest()\n request.connection_id = connection_id\n self._apply(request)\n",
"role": "user"
},
{
"content": "close_connection",
"role": "assistant"
}
]
|
def x(self, connection_id):
request = requests_pb2.CreateStatementRequest()
request.connection_id = connection_id
response_data = self._apply(request)
response = responses_pb2.CreateStatementResponse()
response.ParseFromString(response_data)
return response.statement_id
| create_statement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection_id):\n request = requests_pb2.CreateStatementRequest()\n request.connection_id = connection_id\n response_data = self._apply(request)\n response = responses_pb2.CreateStatementResponse()\n response.ParseFromString(response_data)\n return response.statement_id\n",
"role": "user"
},
{
"content": "create_statement",
"role": "assistant"
}
]
|
def x(self, connection_id, statement_id):
request = requests_pb2.CloseStatementRequest()
request.connection_id = connection_id
request.statement_id = statement_id
self._apply(request)
| close_statement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection_id, statement_id):\n request = requests_pb2.CloseStatementRequest()\n request.connection_id = connection_id\n request.statement_id = statement_id\n self._apply(request)\n",
"role": "user"
},
{
"content": "close_statement",
"role": "assistant"
}
]
|
def x(self, connection_id, statement_id, sql, max_rows_total=None,
first_frame_max_size=None):
request = requests_pb2.PrepareAndExecuteRequest()
request.connection_id = connection_id
request.statement_id = statement_id
request.sql = sql
if max_rows_total is not None:
request.max_rows_total = max_rows_total
if first_frame_max_size is not None:
request.first_frame_max_size = first_frame_max_size
response_data = self._apply(request, 'ExecuteResponse')
response = responses_pb2.ExecuteResponse()
response.ParseFromString(response_data)
return response.results
| prepare_and_execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection_id, statement_id, sql, max_rows_total=None,\n first_frame_max_size=None):\n request = requests_pb2.PrepareAndExecuteRequest()\n request.connection_id = connection_id\n request.statement_id = statement_id\n request.sql = sql\n if max_rows_total is not None:\n request.max_rows_total = max_rows_total\n if first_frame_max_size is not None:\n request.first_frame_max_size = first_frame_max_size\n response_data = self._apply(request, 'ExecuteResponse')\n response = responses_pb2.ExecuteResponse()\n response.ParseFromString(response_data)\n return response.results\n",
"role": "user"
},
{
"content": "prepare_and_execute",
"role": "assistant"
}
]
|
def x(self, connection_id, sql, max_rows_total=None):
request = requests_pb2.PrepareRequest()
request.connection_id = connection_id
request.sql = sql
if max_rows_total is not None:
request.max_rows_total = max_rows_total
response_data = self._apply(request)
response = responses_pb2.PrepareResponse()
response.ParseFromString(response_data)
return response.statement
| prepare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection_id, sql, max_rows_total=None):\n request = requests_pb2.PrepareRequest()\n request.connection_id = connection_id\n request.sql = sql\n if max_rows_total is not None:\n request.max_rows_total = max_rows_total\n response_data = self._apply(request)\n response = responses_pb2.PrepareResponse()\n response.ParseFromString(response_data)\n return response.statement\n",
"role": "user"
},
{
"content": "prepare",
"role": "assistant"
}
]
|
def x(self, connection_id, statement_id, signature, parameter_values=None,
first_frame_max_size=None):
request = requests_pb2.ExecuteRequest()
request.statementHandle.id = statement_id
request.statementHandle.connection_id = connection_id
request.statementHandle.signature.CopyFrom(signature)
if parameter_values is not None:
request.parameter_values.extend(parameter_values)
request.has_parameter_values = True
if first_frame_max_size is not None:
request.deprecated_first_frame_max_size = first_frame_max_size
request.first_frame_max_size = first_frame_max_size
response_data = self._apply(request)
response = responses_pb2.ExecuteResponse()
response.ParseFromString(response_data)
return response.results
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection_id, statement_id, signature, parameter_values=None,\n first_frame_max_size=None):\n request = requests_pb2.ExecuteRequest()\n request.statementHandle.id = statement_id\n request.statementHandle.connection_id = connection_id\n request.statementHandle.signature.CopyFrom(signature)\n if parameter_values is not None:\n request.parameter_values.extend(parameter_values)\n request.has_parameter_values = True\n if first_frame_max_size is not None:\n request.deprecated_first_frame_max_size = first_frame_max_size\n request.first_frame_max_size = first_frame_max_size\n response_data = self._apply(request)\n response = responses_pb2.ExecuteResponse()\n response.ParseFromString(response_data)\n return response.results\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
]
|
def x(self, connection_id, statement_id, offset=0, frame_max_size=None):
request = requests_pb2.FetchRequest()
request.connection_id = connection_id
request.statement_id = statement_id
request.offset = offset
if frame_max_size is not None:
request.frame_max_size = frame_max_size
response_data = self._apply(request)
response = responses_pb2.FetchResponse()
response.ParseFromString(response_data)
return response.frame
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection_id, statement_id, offset=0, frame_max_size=None):\n request = requests_pb2.FetchRequest()\n request.connection_id = connection_id\n request.statement_id = statement_id\n request.offset = offset\n if frame_max_size is not None:\n request.frame_max_size = frame_max_size\n response_data = self._apply(request)\n response = responses_pb2.FetchResponse()\n response.ParseFromString(response_data)\n return response.frame\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
]
|
def x(self):
if self._closed:
raise ProgrammingError('the cursor is already closed')
if self._id is not None:
self._connection._client.close_statement(self._connection._id, self._id
)
self._id = None
self._signature = None
self._column_data_types = []
self._frame = None
self._pos = None
self._closed = True
| close | [
{
"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._closed:\n raise ProgrammingError('the cursor is already closed')\n if self._id is not None:\n self._connection._client.close_statement(self._connection._id, self._id\n )\n self._id = None\n self._signature = None\n self._column_data_types = []\n self._frame = None\n self._pos = None\n self._closed = True\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
]
|
def x(self, row):
tmp_row = []
for i, column in enumerate(row.value):
if column.has_array_value:
raise NotImplementedError('array types are not supported')
elif column.scalar_value.null:
tmp_row.append(None)
else:
field_name, rep, mutate_to, cast_from = self._column_data_types[i]
value = getattr(column.scalar_value, field_name)
if cast_from is not None:
value = cast_from(value)
tmp_row.append(value)
return tmp_row
| transform_row | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n tmp_row = []\n for i, column in enumerate(row.value):\n if column.has_array_value:\n raise NotImplementedError('array types are not supported')\n elif column.scalar_value.null:\n tmp_row.append(None)\n else:\n field_name, rep, mutate_to, cast_from = self._column_data_types[i]\n value = getattr(column.scalar_value, field_name)\n if cast_from is not None:\n value = cast_from(value)\n tmp_row.append(value)\n return tmp_row\n",
"role": "user"
},
{
"content": "transform_row",
"role": "assistant"
}
]
|
def x(self):
if self._frame is not None and self._pos is not None:
return self._frame.offset + self._pos
return self._pos
| rownumber | [
{
"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._frame is not None and self._pos is not None:\n return self._frame.offset + self._pos\n return self._pos\n",
"role": "user"
},
{
"content": "rownumber",
"role": "assistant"
}
]
|
def x(year, month, day, hour, minute, second):
return datetime.datetime(year, month, day, hour, minute, second)
| Timestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, month, day, hour, minute, second):\n return datetime.datetime(year, month, day, hour, minute, second)\n",
"role": "user"
},
{
"content": "Timestamp",
"role": "assistant"
}
]
|
def x(self):
self._id = str(uuid.uuid4())
self._client.open_connection(self._id, info=self._connection_args)
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._id = str(uuid.uuid4())\n self._client.open_connection(self._id, info=self._connection_args)\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
]
|
def x(self):
if self._closed:
raise ProgrammingError('the connection is already closed')
for cursor_ref in self._cursors:
cursor = cursor_ref()
if cursor is not None and not cursor._closed:
cursor.close()
self._client.close_connection(self._id)
self._client.close()
self._closed = True
| close | [
{
"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._closed:\n raise ProgrammingError('the connection is already closed')\n for cursor_ref in self._cursors:\n cursor = cursor_ref()\n if cursor is not None and not cursor._closed:\n cursor.close()\n self._client.close_connection(self._id)\n self._client.close()\n self._closed = True\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
]
|
def x(self, cursor_factory=None):
if self._closed:
raise ProgrammingError('the connection is already closed')
cursor = (cursor_factory or self.cursor_factory)(self)
self._cursors.append(weakref.ref(cursor, self._cursors.remove))
return cursor
| cursor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cursor_factory=None):\n if self._closed:\n raise ProgrammingError('the connection is already closed')\n cursor = (cursor_factory or self.cursor_factory)(self)\n self._cursors.append(weakref.ref(cursor, self._cursors.remove))\n return cursor\n",
"role": "user"
},
{
"content": "cursor",
"role": "assistant"
}
]
|
def x(self, autocommit=None, readonly=None):
props = {}
if autocommit is not None:
props['autoCommit'] = bool(autocommit)
if readonly is not None:
props['readOnly'] = bool(readonly)
props = self._client.connection_sync(self._id, props)
self._autocommit = props.auto_commit
self._readonly = props.read_only
self._transactionisolation = props.transaction_isolation
| set_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, autocommit=None, readonly=None):\n props = {}\n if autocommit is not None:\n props['autoCommit'] = bool(autocommit)\n if readonly is not None:\n props['readOnly'] = bool(readonly)\n props = self._client.connection_sync(self._id, props)\n self._autocommit = props.auto_commit\n self._readonly = props.read_only\n self._transactionisolation = props.transaction_isolation\n",
"role": "user"
},
{
"content": "set_session",
"role": "assistant"
}
]
|
def x(self, X, y):
self.X = X
self.y = y
if hasattr(self.gamma, '__iter__'):
self.gamma = self._optimize_gamma(self.gamma)
return self
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y):\n self.X = X\n self.y = y\n if hasattr(self.gamma, '__iter__'):\n self.gamma = self._optimize_gamma(self.gamma)\n return self\n",
"role": "user"
},
{
"content": "fit",
"role": "assistant"
}
]
|
def x(self, X):
K = pairwise_kernels(self.X, X, metric=self.kernel, gamma=self.gamma)
return (K * self.y[:, None]).sum(axis=0) / K.sum(axis=0)
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X):\n K = pairwise_kernels(self.X, X, metric=self.kernel, gamma=self.gamma)\n return (K * self.y[:, None]).sum(axis=0) / K.sum(axis=0)\n",
"role": "user"
},
{
"content": "predict",
"role": "assistant"
}
]
|
def x(self, X):
self._compute_input_activations(X)
acts = self.input_activations_
if callable(self.activation_func):
args_dict = self.activation_args if self.activation_args else {}
X_new = self.activation_func(acts, **args_dict)
else:
func_name = self.activation_func
func = self._internal_activation_funcs[func_name]
X_new = func(acts, **self._extra_args)
return X_new
| compute_hidden_activations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X):\n self._compute_input_activations(X)\n acts = self.input_activations_\n if callable(self.activation_func):\n args_dict = self.activation_args if self.activation_args else {}\n X_new = self.activation_func(acts, **args_dict)\n else:\n func_name = self.activation_func\n func = self._internal_activation_funcs[func_name]\n X_new = func(acts, **self._extra_args)\n return X_new\n",
"role": "user"
},
{
"content": "compute_hidden_activations",
"role": "assistant"
}
]
|
def x(self, X, y=None):
if self.components_ is None:
raise ValueError('No components initialized')
return self._compute_hidden_activations(X)
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y=None):\n if self.components_ is None:\n raise ValueError('No components initialized')\n return self._compute_hidden_activations(X)\n",
"role": "user"
},
{
"content": "transform",
"role": "assistant"
}
]
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.