source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, schema):
data = {}
for k, v in schema.items():
if isinstance(v, dict):
data[k] = self._generate_one_fake(v)
elif isinstance(v, list):
data[k] = [self._generate_one_fake(item) for item in v]
else:
data[k] = getattr(self._faker, v)()
return data
| generate_one_fake | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schema):\n data = {}\n for k, v in schema.items():\n if isinstance(v, dict):\n data[k] = self._generate_one_fake(v)\n elif... |
def x(method, uri, params_prefix=None, **params):
params = urlencode(_prepare_params(params, params_prefix))
binary_params = params.encode('ASCII')
url = 'https://%s/%s.xml' % (CHALLONGE_API_URL, uri)
req = Request(url, binary_params)
req.get_method = lambda : method
user, api_key = get_credentials()
auth_handler = HTTPBasicAuthHandler()
auth_handler.add_password(realm='Application', uri=req.get_full_url(),
user=user, passwd=api_key)
opener = build_opener(auth_handler)
try:
response = opener.open(req)
except HTTPError as e:
if e.code != 422:
raise
doc = ElementTree.parse(e).getroot()
if doc.tag != 'errors':
raise
errors = [e.text for e in doc]
raise ChallongeException(*errors)
return response
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, uri, params_prefix=None, **params):\n params = urlencode(_prepare_params(params, params_prefix))\n binary_params = params.encode('ASCII')\n ur... |
def x(method, uri, params_prefix=None, **params):
doc = ElementTree.parse(fetch(method, uri, params_prefix, **params))
return _parse(doc.getroot())
| fetch_and_parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, uri, params_prefix=None, **params):\n doc = ElementTree.parse(fetch(method, uri, params_prefix, **params))\n return _parse(doc.getroot())\n",
... |
def x(root):
if root.tag == 'nil-classes':
return []
elif root.get('type') == 'array':
return [_parse(child) for child in root]
d = {}
for child in root:
type = child.get('type') or 'string'
if child.get('nil'):
value = None
elif type == 'boolean':
value = True if child.text.lower() == 'true' else False
elif type == 'dateTime':
value = iso8601.parse_date(child.text)
elif type == 'decimal':
value = decimal.Decimal(child.text)
elif type == 'integer':
value = int(child.text)
else:
value = child.text
d[child.tag] = value
return d
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n if root.tag == 'nil-classes':\n return []\n elif root.get('type') == 'array':\n return [_parse(child) for child in root]\n d = ... |
def x(dirty_params, prefix=None):
params = {}
for k, v in dirty_params.items():
if hasattr(v, 'isoformat'):
v = v.isoformat()
elif isinstance(v, bool):
v = str(v).lower()
if prefix:
params['%s[%s]' % (prefix, k)] = v
else:
params[k] = v
return params
| prepare_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dirty_params, prefix=None):\n params = {}\n for k, v in dirty_params.items():\n if hasattr(v, 'isoformat'):\n v = v.isoformat()\n ... |
def x(self, branches):
return sum([b.descendants() for b in branches], []) + [b.source for b in
branches]
| expandDescendants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, branches):\n return sum([b.descendants() for b in branches], []) + [b.source for b in\n branches]\n",
"role": "user"
},
{
"content"... |
def x(self, descendants):
parsed, parent, cond = [], False, lambda b: (b.string or '').strip()
for branch in filter(cond, descendants):
if self.getHeadingLevel(branch) == self.depth:
parsed.append({'root': branch.string, 'source': branch})
parent = True
elif not parent:
parsed.append({'root': branch.string, 'source': branch})
else:
parsed[-1].setdefault('descendants', []).append(branch)
return [TOC(depth=self.depth + 1, **kwargs) for kwargs in parsed]
| parseBranches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, descendants):\n parsed, parent, cond = [], False, lambda b: (b.string or '').strip()\n for branch in filter(cond, descendants):\n if self.ge... |
def x(md, *args, **kwargs):
return TOC.fromHTML(markdown(md, *args, **kwargs))
| fromMarkdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(md, *args, **kwargs):\n return TOC.fromHTML(markdown(md, *args, **kwargs))\n",
"role": "user"
},
{
"content": "fromMarkdown",
"role": "assis... |
def x(html, *args, **kwargs):
source = BeautifulSoup(html, 'html.parser', *args, **kwargs)
return TOC('[document]', source=source, descendants=source.children)
| fromHTML | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html, *args, **kwargs):\n source = BeautifulSoup(html, 'html.parser', *args, **kwargs)\n return TOC('[document]', source=source, descendants=source.child... |
def x(cls, type, **data):
try:
return cls._types[type](**data)
except KeyError:
return cls(type=type, **data)
except TypeError as e:
error = 'could not create {!r} attachment'.format(type)
raise TypeError('{}: {}'.format(error, e.args[0]))
| from_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, type, **data):\n try:\n return cls._types[type](**data)\n except KeyError:\n return cls(type=type, **data)\n except TypeError as e:... |
def x(self, fp):
image_urls = self.upload(fp)
return Image(image_urls['url'], source_url=image_urls['picture_url'])
| from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fp):\n image_urls = self.upload(fp)\n return Image(image_urls['url'], source_url=image_urls['picture_url'])\n",
"role": "user"
},
{
"co... |
def x(self, fp):
url = utils.urljoin(self.url, 'pictures')
response = self.session.post(url, data=fp.read())
image_urls = response.data
return image_urls
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fp):\n url = utils.urljoin(self.url, 'pictures')\n response = self.session.post(url, data=fp.read())\n image_urls = response.data\n return im... |
def x(self, image, url_field='url', suffix=None):
url = getattr(image, url_field)
if suffix is not None:
url = '.'.join(url, suffix)
response = self.session.get(url)
return response.content
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image, url_field='url', suffix=None):\n url = getattr(image, url_field)\n if suffix is not None:\n url = '.'.join(url, suffix)\n response... |
def x(self, image, url_field='url'):
return self.download(image, url_field=url_field, suffix='preview')
| download_preview | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image, url_field='url'):\n return self.download(image, url_field=url_field, suffix='preview')\n",
"role": "user"
},
{
"content": "download... |
def x(self, image, url_field='url'):
return self.download(image, url_field=url_field, suffix='large')
| download_large | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image, url_field='url'):\n return self.download(image, url_field=url_field, suffix='large')\n",
"role": "user"
},
{
"content": "download_l... |
def x(self, image, url_field='url'):
return self.download(image, url_field=url_field, suffix='avatar')
| download_avatar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image, url_field='url'):\n return self.download(image, url_field=url_field, suffix='avatar')\n",
"role": "user"
},
{
"content": "download_... |
def x(self):
while self.items:
yield from self.items
self.items = self.fetch_next()
| autopage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while self.items:\n yield from self.items\n self.items = self.fetch_next()\n",
"role": "user"
},
{
"content": "autopage",... |
def x(cls, **params):
modes = []
for mode in cls.modes:
if params.get(mode) is not None:
modes.append(mode)
if len(modes) > 1:
error_message = 'ambiguous mode, must be one of {}'
modes_csv = ', '.join(list(cls.modes))
raise ValueError(error_message.format(modes_csv))
return modes[0] if modes else cls.default_mode
| detect_mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **params):\n modes = []\n for mode in cls.modes:\n if params.get(mode) is not None:\n modes.append(mode)\n if len(modes) > 1:\n... |
def x(self):
if self.items:
index = self.get_last_item_index()
self.params[self.mode] = self.get_next_page_param(self.items[index])
| set_next_page_params | [
{
"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.items:\n index = self.get_last_item_index()\n self.params[self.mode] = self.get_next_page_param(self.items[index])\n",
"r... |
def x(self):
params = {'user': self.user_id}
response = self.session.get(self.url, params=params)
blocks = response.data['blocks']
return [Block(self, **block) for block in blocks]
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n params = {'user': self.user_id}\n response = self.session.get(self.url, params=params)\n blocks = response.data['blocks']\n return [Block(... |
def x(self, other_user_id):
params = {'user': self.user_id, 'otherUser': other_user_id}
response = self.session.get(self.url, params=params)
return response.data['between']
| between | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other_user_id):\n params = {'user': self.user_id, 'otherUser': other_user_id}\n response = self.session.get(self.url, params=params)\n return re... |
def x(self, other_user_id):
params = {'user': self.user_id, 'otherUser': other_user_id}
response = self.session.post(self.url, params=params)
block = response.data['block']
return Block(self, **block)
| block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other_user_id):\n params = {'user': self.user_id, 'otherUser': other_user_id}\n response = self.session.post(self.url, params=params)\n block = ... |
def x(self, other_user_id):
params = {'user': self.user_id, 'otherUser': other_user_id}
response = self.session.delete(self.url, params=params)
return response.ok
| unblock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other_user_id):\n params = {'user': self.user_id, 'otherUser': other_user_id}\n response = self.session.delete(self.url, params=params)\n return... |
def x(self, page=1, per_page=10):
return pagers.ChatList(self, self._raw_list, per_page=per_page, page=page)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page=1, per_page=10):\n return pagers.ChatList(self, self._raw_list, per_page=per_page, page=page)\n",
"role": "user"
},
{
"content": "lis... |
def x(self, before_id=None, since_id=None, after_id=None, limit=20):
return pagers.MessageList(self, self._raw_list, before_id=before_id,
after_id=after_id, since_id=since_id, limit=limit)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, before_id=None, since_id=None, after_id=None, limit=20):\n return pagers.MessageList(self, self._raw_list, before_id=before_id,\n after_id=afte... |
def x(self, message_id, limit=None):
return self.list(since_id=message_id, limit=limit)
| list_since | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_id, limit=None):\n return self.list(since_id=message_id, limit=limit)\n",
"role": "user"
},
{
"content": "list_since",
"role":... |
def x(self, message_id, limit=None):
return self.list(after_id=message_id, limit=limit)
| list_after | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_id, limit=None):\n return self.list(after_id=message_id, limit=limit)\n",
"role": "user"
},
{
"content": "list_after",
"role":... |
def x(self, message_id, limit=None):
return self.list_before(message_id, limit=limit).autopage()
| list_all_before | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_id, limit=None):\n return self.list_before(message_id, limit=limit).autopage()\n",
"role": "user"
},
{
"content": "list_all_before... |
def x(self, message_id, limit=None):
return self.list_after(message_id, limit=limit).autopage()
| list_all_after | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_id, limit=None):\n return self.list_after(message_id, limit=limit).autopage()\n",
"role": "user"
},
{
"content": "list_all_after",... |
def x(self, text=None, attachments=None, source_guid=None):
message = {'source_guid': source_guid or str(time.time())}
if text is not None:
message['text'] = text
if attachments is not None:
message['attachments'] = [a.to_json() for a in attachments]
payload = {'message': message}
response = self.session.post(self.url, json=payload)
message = response.data['message']
return Message(self, **message)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text=None, attachments=None, source_guid=None):\n message = {'source_guid': source_guid or str(time.time())}\n if text is not None:\n messag... |
def x(self, before_id=None, since_id=None, **kwargs):
return pagers.MessageList(self, self._raw_list, before_id=before_id,
since_id=since_id, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, before_id=None, since_id=None, **kwargs):\n return pagers.MessageList(self, self._raw_list, before_id=before_id,\n since_id=since_id, **kwargs)... |
def x(self, before_id=None, since_id=None, **kwargs):
return self.list(before_id=before_id, since_id=since_id, **kwargs
).autopage()
| list_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, before_id=None, since_id=None, **kwargs):\n return self.list(before_id=before_id, since_id=since_id, **kwargs\n ).autopage()\n",
"role": "u... |
def x(self, nickname, email=None, phone_number=None, user_id=None):
member = {'nickname': nickname, 'email': email, 'phone_number':
phone_number, 'user_id': user_id}
return self.add_multiple(member)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nickname, email=None, phone_number=None, user_id=None):\n member = {'nickname': nickname, 'email': email, 'phone_number':\n phone_number, 'user... |
def x(self, *users):
guid = uuid.uuid4()
for i, user_ in enumerate(users):
user_['guid'] = '{}-{}'.format(guid, i)
payload = {'members': users}
url = utils.urljoin(self.url, 'add')
response = self.session.post(url, json=payload)
return MembershipRequest(self, *users, group_id=self.group_id, **
response.data)
| add_multiple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *users):\n guid = uuid.uuid4()\n for i, user_ in enumerate(users):\n user_['guid'] = '{}-{}'.format(guid, i)\n payload = {'members': user... |
def x(self, results_id):
path = 'results/{}'.format(results_id)
url = utils.urljoin(self.url, path)
response = self.session.get(url)
if response.status_code == 503:
raise exceptions.ResultsNotReady(response)
if response.status_code == 404:
raise exceptions.ResultsExpired(response)
return response.data['members']
| check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, results_id):\n path = 'results/{}'.format(results_id)\n url = utils.urljoin(self.url, path)\n response = self.session.get(url)\n if response.... |
def x(self, nickname=None, **kwargs):
url = self.url + 'hips/update'
payload = {'membership': {'nickname': nickname}}
payload['membership'].update(kwargs)
response = self.session.post(url, json=payload)
return Member(self, self.group_id, **response.data)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nickname=None, **kwargs):\n url = self.url + 'hips/update'\n payload = {'membership': {'nickname': nickname}}\n payload['membership'].update(kwa... |
def x(self, membership_id):
path = '{}/remove'.format(membership_id)
url = utils.urljoin(self.url, path)
payload = {'membership_id': membership_id}
response = self.session.post(url, json=payload)
return response.ok
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, membership_id):\n path = '{}/remove'.format(membership_id)\n url = utils.urljoin(self.url, path)\n payload = {'membership_id': membership_id}\n ... |
def x(self, text=None, attachments=None, source_guid=None):
return self.messages.create(text=text, attachments=attachments,
source_guid=source_guid)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text=None, attachments=None, source_guid=None):\n return self.messages.create(text=text, attachments=attachments,\n source_guid=source_guid)\n"... |
def x(self, group_id, nickname=None):
if nickname is None:
nickname = self.nickname
memberships = Memberships(self.manager.session, group_id=group_id)
return memberships.add(nickname, user_id=self.user_id)
| add_to_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_id, nickname=None):\n if nickname is None:\n nickname = self.nickname\n memberships = Memberships(self.manager.session, group_id=group... |
def x(self):
try:
results = self.manager.check(self.results_id)
except exceptions.ResultsNotReady as e:
self._is_ready = False
self._not_ready_exception = e
except exceptions.ResultsExpired as e:
self._is_ready = True
self._expired_exception = e
else:
failures = self.get_failed_requests(results)
members = self.get_new_members(results)
self.results = self.__class__.Results(list(members), list(failures))
self._is_ready = True
self._not_ready_exception = None
| check_if_ready | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n results = self.manager.check(self.results_id)\n except exceptions.ResultsNotReady as e:\n self._is_ready = False\n s... |
def x(self, results):
data = {member['guid']: member for member in results}
for request in self.requests:
if request['guid'] not in data:
yield request
| get_failed_requests | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, results):\n data = {member['guid']: member for member in results}\n for request in self.requests:\n if request['guid'] not in data:\n ... |
def x(self, results):
for member in results:
guid = member.pop('guid')
yield Member(self.manager, self.group_id, **member)
member['guid'] = guid
| get_new_members | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, results):\n for member in results:\n guid = member.pop('guid')\n yield Member(self.manager, self.group_id, **member)\n member['gu... |
def x(self, check=True):
if not self._is_ready and check:
self.check_if_ready()
return self._is_ready
| is_ready | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, check=True):\n if not self._is_ready and check:\n self.check_if_ready()\n return self._is_ready\n",
"role": "user"
},
{
"content... |
def x(self, timeout=30, interval=2):
time.sleep(interval)
start = time.time()
while time.time() - start < timeout and not self.is_ready():
time.sleep(interval)
return self.get()
| poll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=30, interval=2):\n time.sleep(interval)\n start = time.time()\n while time.time() - start < timeout and not self.is_ready():\n ti... |
def x(self):
if self._expired_exception:
raise self._expired_exception
if self._not_ready_exception:
raise self._not_ready_exception
return self.results
| get | [
{
"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._expired_exception:\n raise self._expired_exception\n if self._not_ready_exception:\n raise self._not_ready_exception\n ... |
def x(self, page=1, per_page=10, omit=None):
return pagers.GroupList(self, self._raw_list, page=page, per_page=
per_page, omit=omit)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page=1, per_page=10, omit=None):\n return pagers.GroupList(self, self._raw_list, page=page, per_page=\n per_page, omit=omit)\n",
"role": "u... |
def x(self, per_page=10, omit=None):
return self.list(per_page=per_page, omit=omit).autopage()
| list_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, per_page=10, omit=None):\n return self.list(per_page=per_page, omit=omit).autopage()\n",
"role": "user"
},
{
"content": "list_all",
"r... |
def x(self):
url = utils.urljoin(self.url, 'former')
response = self.session.get(url)
return [Group(self, **group) for group in response.data]
| list_former | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = utils.urljoin(self.url, 'former')\n response = self.session.get(url)\n return [Group(self, **group) for group in response.data]\n",
... |
def x(self, id):
url = utils.urljoin(self.url, id)
response = self.session.get(url)
return Group(self, **response.data)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id):\n url = utils.urljoin(self.url, id)\n response = self.session.get(url)\n return Group(self, **response.data)\n",
"role": "user"
},
... |
def x(self, name, description=None, image_url=None, share=None, **kwargs):
payload = {'name': name, 'description': description, 'image_url':
image_url, 'share': share}
payload.update(kwargs)
response = self.session.post(self.url, json=payload)
return Group(self, **response.data)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, description=None, image_url=None, share=None, **kwargs):\n payload = {'name': name, 'description': description, 'image_url':\n image_url,... |
def x(self, id, name=None, description=None, image_url=None, office_mode=
None, share=None, **kwargs):
path = '{}/update'.format(id)
url = utils.urljoin(self.url, path)
payload = {'name': name, 'description': description, 'image_url':
image_url, 'office_mode': office_mode, 'share': share}
payload.update(kwargs)
response = self.session.post(url, json=payload)
return Group(self, **response.data)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, name=None, description=None, image_url=None, office_mode=\n None, share=None, **kwargs):\n path = '{}/update'.format(id)\n url = utils.urljo... |
def x(self, id):
path = '{}/destroy'.format(id)
url = utils.urljoin(self.url, path)
response = self.session.post(url)
return response.ok
| destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id):\n path = '{}/destroy'.format(id)\n url = utils.urljoin(self.url, path)\n response = self.session.post(url)\n return response.ok\n",
... |
def x(self, group_id, share_token):
path = '{}/join/{}'.format(group_id, share_token)
url = utils.urljoin(self.url, path)
response = self.session.post(url)
group = response.data['group']
return Group(self, **group)
| join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_id, share_token):\n path = '{}/join/{}'.format(group_id, share_token)\n url = utils.urljoin(self.url, path)\n response = self.session.post... |
def x(self, group_id):
url = utils.urljoin(self.url, 'join')
payload = {'group_id': group_id}
response = self.session.post(url, json=payload)
return Group(self, **response.data)
| rejoin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_id):\n url = utils.urljoin(self.url, 'join')\n payload = {'group_id': group_id}\n response = self.session.post(url, json=payload)\n ret... |
def x(self, group_id, owner_id):
url = utils.urljoin(self.url, 'change_owners')
payload = {'requests': [{'group_id': group_id, 'owner_id': owner_id}]}
response = self.session.post(url, json=payload)
result, = response.data['results']
return ChangeOwnersResult(**result)
| change_owners | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_id, owner_id):\n url = utils.urljoin(self.url, 'change_owners')\n payload = {'requests': [{'group_id': group_id, 'owner_id': owner_id}]}\n ... |
def x(self, name=None, description=None, image_url=None, office_mode=None,
share=None, **kwargs):
if name is None:
name = self.name
if office_mode is None:
office_mode = self.office_mode
return self.manager.update(id=self.id, name=name, description=
description, image_url=image_url, office_mode=office_mode, share=
share, **kwargs)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, description=None, image_url=None, office_mode=None,\n share=None, **kwargs):\n if name is None:\n name = self.name\n if office... |
def x(self):
group = self.manager.get(id=self.id)
self.__init__(self.manager, **group.data)
| refresh_from_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n group = self.manager.get(id=self.id)\n self.__init__(self.manager, **group.data)\n",
"role": "user"
},
{
"content": "refresh_from_se... |
def x(self, name, avatar_url=None, callback_url=None, dm_notification=None,
**kwargs):
return self._bots.create(name=name, group_id=self.group_id, avatar_url=
avatar_url, callback_url=callback_url, dm_notification=dm_notification)
| create_bot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, avatar_url=None, callback_url=None, dm_notification=None,\n **kwargs):\n return self._bots.create(name=name, group_id=self.group_id, avatar_u... |
def x(self):
user_id = self._user.me['user_id']
for member in self.members:
if member.user_id == user_id:
return member
raise exceptions.MissingMembershipError(self.group_id, user_id)
| get_membership | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n user_id = self._user.me['user_id']\n for member in self.members:\n if member.user_id == user_id:\n return member\n raise ex... |
def x(self, nickname=None, **kwargs):
return self.memberships.update(nickname=nickname, **kwargs)
| update_membership | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nickname=None, **kwargs):\n return self.memberships.update(nickname=nickname, **kwargs)\n",
"role": "user"
},
{
"content": "update_members... |
def x(base, path=None):
if path is None:
url = base
else:
if not base.endswith('/'):
base += '/'
url = urllib.parse.urljoin(base, str(path))
return url
| urljoin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base, path=None):\n if path is None:\n url = base\n else:\n if not base.endswith('/'):\n base += '/'\n url = urllib.parse... |
def x(share_url):
*__, group_id, share_token = share_url.rstrip('/').split('/')
return group_id, share_token
| parse_share_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(share_url):\n *__, group_id, share_token = share_url.rstrip('/').split('/')\n return group_id, share_token\n",
"role": "user"
},
{
"content":... |
def x(when):
microseconds = format(when.microsecond, '04d')[:4]
rfc3339 = '%Y-%m-%dT%H:%M:%S.{}Z'
return when.strftime(rfc3339.format(microseconds))
| get_rfc3339 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(when):\n microseconds = format(when.microsecond, '04d')[:4]\n rfc3339 = '%Y-%m-%dT%H:%M:%S.{}Z'\n return when.strftime(rfc3339.format(microseconds))\n... |
def x(**tests):
tests = [AttrTest(k, v) for k, v in tests.items()]
return Filter(tests)
| make_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**tests):\n tests = [AttrTest(k, v) for k, v in tests.items()]\n return Filter(tests)\n",
"role": "user"
},
{
"content": "make_filter",
"... |
def x(self, objects):
matches = list(self.__call__(objects))
if not matches:
raise exceptions.NoMatchesError(objects, self.tests)
elif len(matches) > 1:
raise exceptions.MultipleMatchesError(objects, self.tests, matches=
matches)
return matches[0]
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objects):\n matches = list(self.__call__(objects))\n if not matches:\n raise exceptions.NoMatchesError(objects, self.tests)\n elif len(ma... |
def x(self):
response = self.session.get(self.url)
return [Bot(self, **bot) for bot in response.data]
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self.session.get(self.url)\n return [Bot(self, **bot) for bot in response.data]\n",
"role": "user"
},
{
"content": "list"... |
def x(self, name, group_id, avatar_url=None, callback_url=None,
dm_notification=None, **kwargs):
payload = {'bot': {'name': name, 'group_id': group_id, 'avatar_url':
avatar_url, 'callback_url': callback_url, 'dm_notification':
dm_notification}}
payload['bot'].update(kwargs)
response = self.session.post(self.url, json=payload)
bot = response.data['bot']
return Bot(self, **bot)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, group_id, avatar_url=None, callback_url=None,\n dm_notification=None, **kwargs):\n payload = {'bot': {'name': name, 'group_id': group_id, 'av... |
def x(self, bot_id, text, attachments=None):
url = utils.urljoin(self.url, 'post')
payload = dict(bot_id=bot_id, text=text)
if attachments:
payload['attachments'] = [a.to_json() for a in attachments]
response = self.session.post(url, json=payload)
return response.ok
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bot_id, text, attachments=None):\n url = utils.urljoin(self.url, 'post')\n payload = dict(bot_id=bot_id, text=text)\n if attachments:\n p... |
def x(self, bot_id):
url = utils.urljoin(self.url, 'destroy')
payload = {'bot_id': bot_id}
response = self.session.post(url, json=payload)
return response.ok
| destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bot_id):\n url = utils.urljoin(self.url, 'destroy')\n payload = {'bot_id': bot_id}\n response = self.session.post(url, json=payload)\n return... |
def x(self, text, attachments=None):
return self.manager.post(self.bot_id, text, attachments)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, attachments=None):\n return self.manager.post(self.bot_id, text, attachments)\n",
"role": "user"
},
{
"content": "post",
"role":... |
def x(is_leaf, xs):
def x(items):
if isinstance(Iterable, items) and not is_leaf(items):
for item in items:
for i in _flatten_until(item):
yield i
else:
yield items
return list(_flatten_until(xs))
| flatten_until | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(is_leaf, xs):\n\n def x(items):\n if isinstance(Iterable, items) and not is_leaf(items):\n for item in items:\n for i in _f... |
def x(f):
def x(*args, **kwargs):
return f(*flip_first_two(args), **kwargs)
f_spec = make_func_curry_spec(f)
return curry_by_spec(f_spec, wrapped)
| flip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n def x(*args, **kwargs):\n return f(*flip_first_two(args), **kwargs)\n f_spec = make_func_curry_spec(f)\n return curry_by_spec(f_spec, w... |
def x(stale_after=None, next_time=False, pickle_reload=True, mongetter=None):
if mongetter:
core = _MongoCore(mongetter, stale_after, next_time)
else:
core = _PickleCore(stale_after, next_time, pickle_reload)
def x(func):
core.set_func(func)
@wraps(func)
def x(*args, **kwds):
ignore_cache = kwds.pop('ignore_cache', False)
overwrite_cache = kwds.pop('overwrite_cache', False)
verbose_cache = kwds.pop('verbose_cache', False)
_print = lambda x: None
if verbose_cache:
_print = print
if ignore_cache:
return func(*args, **kwds)
key, entry = core.get_entry(args, kwds)
if overwrite_cache:
return _calc_entry(core, key, func, args, kwds)
if entry is not None:
_print('Entry found.')
if entry.get('value', None) is not None:
_print('Cached result found.')
if stale_after:
now = datetime.datetime.now()
if now - entry['time'] > stale_after:
_print('But it is stale... :(')
if entry['being_calculated']:
if next_time:
_print('Returning stale.')
return entry['value']
_print('Already calc. Waiting on change.')
try:
return core.wait_on_entry_calc(key)
except RecalculationNeeded:
return _calc_entry(core, key, func,
args, kwds)
if next_time:
_print('Async calc and return stale')
try:
core.mark_entry_being_calculated(key)
_get_executor().submit(_function_thread,
core, key, func, args, kwds)
finally:
core.mark_entry_not_calculated(key)
return entry['value']
_print('Calling decorated function and waiting')
return _calc_entry(core, key, func, args, kwds)
_print('And it is fresh!')
return entry['value']
if entry['being_calculated']:
_print('No value but being calculated. Waiting.')
try:
return core.wait_on_entry_calc(key)
except RecalculationNeeded:
return _calc_entry(core, key, func, args, kwds)
_print('No entry found. No current calc. Calling like a boss.')
return _calc_entry(core, key, func, args, kwds)
def x():
core.clear_cache()
def x():
core.clear_being_calculated()
func_wrapper.clear_cache = clear_cache
func_wrapper.clear_being_calculated = clear_being_calculated
return func_wrapper
return _cachier_decorator
| cachier | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stale_after=None, next_time=False, pickle_reload=True, mongetter=None):\n if mongetter:\n core = _MongoCore(mongetter, stale_after, next_time)\n e... |
def x(defid):
json = _get_urban_json(UD_DEFID_URL + urlquote(str(defid)))
return _parse_urban_json(json)
| defineID | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(defid):\n json = _get_urban_json(UD_DEFID_URL + urlquote(str(defid)))\n return _parse_urban_json(json)\n",
"role": "user"
},
{
"content": "de... |
def x(name):
for directory in os.environ['PATH'].split(':'):
if os.path.exists(os.path.join(directory, name)):
return True
return False
| has_external_dependency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n for directory in os.environ['PATH'].split(':'):\n if os.path.exists(os.path.join(directory, name)):\n return True\n return Fal... |
def x(plot=True):
mesh = vtki.PolyData(bunny_scan)
meshfix = pymeshfix.MeshFix(mesh)
if plot:
print('Plotting input mesh')
meshfix.plot()
meshfix.repair()
if plot:
print('Plotting repaired mesh')
meshfix.plot()
return meshfix.mesh
| with_vtk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(plot=True):\n mesh = vtki.PolyData(bunny_scan)\n meshfix = pymeshfix.MeshFix(mesh)\n if plot:\n print('Plotting input mesh')\n meshfix.p... |
def x(self, v, f):
if not isinstance(v, np.ndarray):
try:
v = np.asarray(v, np.float)
if v.ndim != 2 and v.shape[1] != 3:
raise Exception('Invalid vertex format. Shape ' +
'should be (npoints, 3)')
except BaseException:
raise Exception(
'Unable to convert vertex input to valid numpy array')
if not isinstance(f, np.ndarray):
try:
f = np.asarray(f, ctypes.c_int)
if f.ndim != 2 and f.shape[1] != 3:
raise Exception('Invalid face format. ' +
'Shape should be (nfaces, 3)')
except BaseException:
raise Exception('Unable to convert face input to valid' +
' numpy array')
self.v = v
self.f = f
| load_arrays | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, v, f):\n if not isinstance(v, np.ndarray):\n try:\n v = np.asarray(v, np.float)\n if v.ndim != 2 and v.shape[1] != 3:\n ... |
def x(self):
triangles = np.empty((self.f.shape[0], 4))
triangles[:, -3:] = self.f
triangles[:, 0] = 3
return vtki.PolyData(self.v, triangles, deep=False)
| mesh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n triangles = np.empty((self.f.shape[0], 4))\n triangles[:, -3:] = self.f\n triangles[:, 0] = 3\n return vtki.PolyData(self.v, triangles, de... |
def x(self, show_holes=True):
if show_holes:
edges = self.mesh.extract_edges(boundary_edges=True, feature_edges=
False, manifold_edges=False)
plotter = vtki.Plotter()
plotter.add_mesh(self.mesh, label='mesh')
plotter.add_mesh(edges, 'r', label='edges')
plotter.plot()
else:
self.mesh.plot(show_edges=True)
| plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, show_holes=True):\n if show_holes:\n edges = self.mesh.extract_edges(boundary_edges=True, feature_edges=\n False, manifold_edges=Fal... |
def x(self, verbose=False, joincomp=False, remove_smallest_components=True):
assert self.f.shape[1] == 3, 'Face array must contain three columns'
assert self.f.ndim == 2, 'Face array must be 2D'
self.v, self.f = _meshfix.clean_from_arrays(self.v, self.f, verbose,
joincomp, remove_smallest_components)
| repair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verbose=False, joincomp=False, remove_smallest_components=True):\n assert self.f.shape[1] == 3, 'Face array must contain three columns'\n assert se... |
def x(self, filename, binary=True):
self.mesh.write(filename, binary)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, binary=True):\n self.mesh.write(filename, binary)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(url, params=None, user_agent=None):
headers = {}
if user_agent:
headers['User-Agent'] = user_agent
data = params and six.moves.urllib.parse.urlencode(params) or None
req = six.moves.urllib.request.Request(url, data=data, headers=headers)
f = six.moves.urllib.request.urlopen(req)
text = f.read()
f.close()
return text
| scrape | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, params=None, user_agent=None):\n headers = {}\n if user_agent:\n headers['User-Agent'] = user_agent\n data = params and six.moves.urllib.p... |
def x(pdfdata, options=''):
pdffout = tempfile.NamedTemporaryFile(suffix='.pdf')
pdffout.write(pdfdata)
pdffout.flush()
xmlin = tempfile.NamedTemporaryFile(mode='r', suffix='.xml')
tmpxml = xmlin.name
cmd = (
'pdftohtml -xml -nodrm -zoom 1.5 -enc UTF-8 -noframes %s "%s" "%s"' %
(options, pdffout.name, os.path.splitext(tmpxml)[0]))
cmd = cmd + ' >/dev/null 2>&1'
os.system(cmd)
pdffout.close()
xmldata = xmlin.read()
xmlin.close()
return xmldata.decode('utf-8')
| pdftoxml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pdfdata, options=''):\n pdffout = tempfile.NamedTemporaryFile(suffix='.pdf')\n pdffout.write(pdfdata)\n pdffout.flush()\n xmlin = tempfile.NamedTem... |
def x(query, data=None):
connection = _State.connection()
_State.new_transaction()
if data is None:
data = []
result = connection.execute(query, data)
_State.table = None
_State.metadata = None
try:
del _State.table_pending
except AttributeError:
pass
if not result.returns_rows:
return {u'data': [], u'keys': []}
return {u'data': result.fetchall(), u'keys': list(result.keys())}
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, data=None):\n connection = _State.connection()\n _State.new_transaction()\n if data is None:\n data = []\n result = connection.execut... |
def x(query, data=None):
connection = _State.connection()
_State.new_transaction()
if data is None:
data = []
result = connection.execute('select ' + query, data)
rows = []
for row in result:
rows.append(dict(list(row.items())))
return rows
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, data=None):\n connection = _State.connection()\n _State.new_transaction()\n if data is None:\n data = []\n result = connection.execut... |
def x(unique_keys, data, table_name='swdata'):
_set_table(table_name)
connection = _State.connection()
if isinstance(data, Mapping):
data = [data]
elif not isinstance(data, Iterable):
raise TypeError(
'Data must be a single mapping or an iterable of mappings')
insert = _State.table.insert(prefixes=['OR REPLACE'])
for row in data:
if not isinstance(row, Mapping):
raise TypeError('Elements of data must be mappings, got {}'.
format(type(row)))
fit_row(connection, row, unique_keys)
connection.execute(insert.values(row))
_State.check_last_committed()
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(unique_keys, data, table_name='swdata'):\n _set_table(table_name)\n connection = _State.connection()\n if isinstance(data, Mapping):\n data = [... |
def x(table_name):
_State.connection()
_State.reflect_metadata()
_State.table = sqlalchemy.Table(table_name, _State.metadata,
extend_existing=True)
if list(_State.table.columns.keys()) == []:
_State.table_pending = True
else:
_State.table_pending = False
| set_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table_name):\n _State.connection()\n _State.reflect_metadata()\n _State.table = sqlalchemy.Table(table_name, _State.metadata,\n extend_existing... |
def x():
_State.connection()
_State.reflect_metadata()
metadata = _State.metadata
response = select('name, sql from sqlite_master where type="table"')
return {row['name']: row['sql'] for row in response}
| show_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _State.connection()\n _State.reflect_metadata()\n metadata = _State.metadata\n response = select('name, sql from sqlite_master where type=\"ta... |
def x(name, value):
connection = _State.connection()
_State.reflect_metadata()
vars_table = sqlalchemy.Table(_State.vars_table_name, _State.metadata,
sqlalchemy.Column('name', sqlalchemy.types.Text, primary_key=True),
sqlalchemy.Column('value_blob', sqlalchemy.types.LargeBinary),
sqlalchemy.Column('type', sqlalchemy.types.Text), keep_existing=True)
vars_table.create(bind=connection, checkfirst=True)
column_type = get_column_type(value)
if column_type == sqlalchemy.types.LargeBinary:
value_blob = value
else:
value_blob = unicode(value).encode('utf-8')
values = dict(name=name, value_blob=value_blob, type=column_type.
__visit_name__.lower())
vars_table.insert(prefixes=['OR REPLACE']).values(**values).execute()
| save_var | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, value):\n connection = _State.connection()\n _State.reflect_metadata()\n vars_table = sqlalchemy.Table(_State.vars_table_name, _State.metadata,\... |
def x(name, default=None):
alchemytypes = {'text': lambda x: x.decode('utf-8'), 'big_integer': lambda
x: int(x), 'date': lambda x: x.decode('utf-8'), 'datetime': lambda
x: x.decode('utf-8'), 'float': lambda x: float(x), 'large_binary':
lambda x: x, 'boolean': lambda x: x == b'True'}
connection = _State.connection()
_State.new_transaction()
if _State.vars_table_name not in list(_State.metadata.tables.keys()):
return None
table = sqlalchemy.Table(_State.vars_table_name, _State.metadata)
s = sqlalchemy.select([table.c.value_blob, table.c.type])
s = s.where(table.c.name == name)
result = connection.execute(s).fetchone()
if not result:
return None
return alchemytypes[result[1]](result[0])
execute = connection.execute
execute("CREATE TEMPORARY TABLE _sw_tmp ('value' {})".format(result.type))
execute('INSERT INTO _sw_tmp VALUES (:value)', value=result.value_blob)
var = execute('SELECT value FROM _sw_tmp').fetchone().value
execute('DROP TABLE _sw_tmp')
return var.decode('utf-8')
| get_var | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, default=None):\n alchemytypes = {'text': lambda x: x.decode('utf-8'), 'big_integer': lambda\n x: int(x), 'date': lambda x: x.decode('utf-8'), '... |
def x(column_names, unique=False):
connection = _State.connection()
_State.reflect_metadata()
table_name = _State.table.name
table = _State.table
index_name = re.sub('[^a-zA-Z0-9]', '', table_name) + '_'
index_name += '_'.join(re.sub('[^a-zA-Z0-9]', '', x) for x in column_names)
if unique:
index_name += '_unique'
columns = []
for column_name in column_names:
columns.append(table.columns[column_name])
current_indices = [x.name for x in table.indexes]
index = sqlalchemy.schema.Index(index_name, *columns, unique=unique)
if index.name not in current_indices:
index.create(bind=_State.engine)
| create_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(column_names, unique=False):\n connection = _State.connection()\n _State.reflect_metadata()\n table_name = _State.table.name\n table = _State.table... |
def x(connection, row, unique_keys):
new_columns = []
for column_name, column_value in list(row.items()):
new_column = sqlalchemy.Column(column_name, get_column_type(
column_value))
if not column_name in list(_State.table.columns.keys()):
new_columns.append(new_column)
_State.table.append_column(new_column)
if _State.table_pending:
create_table(unique_keys)
return
for new_column in new_columns:
add_column(connection, new_column)
| fit_row | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection, row, unique_keys):\n new_columns = []\n for column_name, column_value in list(row.items()):\n new_column = sqlalchemy.Column(column_na... |
def x(unique_keys):
_State.new_transaction()
_State.table.create(bind=_State.engine, checkfirst=True)
if unique_keys != []:
create_index(unique_keys, unique=True)
_State.table_pending = False
_State.reflect_metadata()
| create_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(unique_keys):\n _State.new_transaction()\n _State.table.create(bind=_State.engine, checkfirst=True)\n if unique_keys != []:\n create_index(uniq... |
def x(connection, column):
stmt = alembic.ddl.base.AddColumn(_State.table.name, column)
connection.execute(stmt)
_State.reflect_metadata()
| add_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection, column):\n stmt = alembic.ddl.base.AddColumn(_State.table.name, column)\n connection.execute(stmt)\n _State.reflect_metadata()\n",
"ro... |
def x():
_State.connection()
_State.table.drop(checkfirst=True)
_State.metadata.remove(_State.table)
_State.table = None
_State.new_transaction()
| drop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _State.connection()\n _State.table.drop(checkfirst=True)\n _State.metadata.remove(_State.table)\n _State.table = None\n _State.new_transact... |
def x(key, value, fmt, meta):
if key in ['Table']:
assert len(value) == 5
caption = value[0]
n = 0
while n < len(caption) and not (caption[n]['t'] == 'Str' and
caption[n]['c'].startswith('{')):
n += 1
try:
attrs = extract_attrs(caption, n)
value.insert(0, attrs)
except (ValueError, IndexError):
pass
| attach_attrs_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, value, fmt, meta):\n if key in ['Table']:\n assert len(value) == 5\n caption = value[0]\n n = 0\n while n < len(caption) an... |
def x(key, value, fmt, meta):
global has_unnumbered_tables
if key == 'Table':
if len(value) == 5:
has_unnumbered_tables = True
if fmt in ['latex']:
return [RawBlock('tex', '\\begin{no-prefix-table-caption}'),
Table(*value), RawBlock('tex',
'\\end{no-prefix-table-caption}')]
return None
table = _process_table(value, fmt)
attrs = table['attrs']
if table['is_unnumbered']:
if fmt in ['latex']:
return [RawBlock('tex', '\\begin{no-prefix-table-caption}'),
AttrTable(*value), RawBlock('tex',
'\\end{no-prefix-table-caption}')]
elif fmt in ['latex']:
if table['is_tagged']:
tex = '\n'.join(['\\let\\oldthetable=\\thetable',
'\\renewcommand\\thetable{%s}' % references[attrs[0]]])
pre = RawBlock('tex', tex)
tex = '\n'.join(['\\let\\thetable=\\oldthetable',
'\\addtocounter{table}{-1}'])
post = RawBlock('tex', tex)
return [pre, AttrTable(*value), post]
elif table['is_unreferenceable']:
attrs[0] = ''
elif fmt in ('html', 'html5') and LABEL_PATTERN.match(attrs[0]):
anchor = RawBlock('html', '<a name="%s"></a>' % attrs[0])
return [anchor, AttrTable(*value)]
elif fmt == 'docx':
bookmarkstart = RawBlock('openxml',
'<w:bookmarkStart w:id="0" w:name="%s"/>' % attrs[0])
bookmarkend = RawBlock('openxml', '<w:bookmarkEnd w:id="0"/>')
return [bookmarkstart, AttrTable(*value), bookmarkend]
return None
| process_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, value, fmt, meta):\n global has_unnumbered_tables\n if key == 'Table':\n if len(value) == 5:\n has_unnumbered_tables = True\n ... |
def x():
global PANDOCVERSION
global AttrTable
fmt = args.fmt
doc = json.loads(STDIN.read())
PANDOCVERSION = pandocxnos.init(args.pandocversion, doc)
AttrTable = elt('Table', 6)
meta = doc['meta'] if PANDOCVERSION >= '1.18' else doc[0]['unMeta']
blocks = doc['blocks'] if PANDOCVERSION >= '1.18' else doc[1:]
process(meta)
detach_attrs_table = detach_attrs_factory(Table)
insert_secnos = insert_secnos_factory(Table)
delete_secnos = delete_secnos_factory(Table)
altered = functools.reduce(lambda x, action: walk(x, action, fmt, meta),
[attach_attrs_table, insert_secnos, process_tables, delete_secnos,
detach_attrs_table], blocks)
process_refs = process_refs_factory(references.keys())
replace_refs = replace_refs_factory(references, use_cleveref_default,
False, plusname if not capitalize else [name.title() for name in
plusname], starname, 'table')
altered = functools.reduce(lambda x, action: walk(x, action, fmt, meta),
[repair_refs, process_refs, replace_refs], altered)
if fmt in ['latex']:
rawblocks = []
if has_unnumbered_tables:
rawblocks += [RawBlock('tex', TEX0), RawBlock('tex', TEX1),
RawBlock('tex', TEX2)]
if captionname != 'Table':
rawblocks += [RawBlock('tex', TEX3 % captionname)]
insert_rawblocks = insert_rawblocks_factory(rawblocks)
altered = functools.reduce(lambda x, action: walk(x, action, fmt,
meta), [insert_rawblocks], altered)
if PANDOCVERSION >= '1.18':
doc['blocks'] = altered
else:
doc = doc[:1] + altered
json.dump(doc, STDOUT)
STDOUT.flush()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global PANDOCVERSION\n global AttrTable\n fmt = args.fmt\n doc = json.loads(STDIN.read())\n PANDOCVERSION = pandocxnos.init(args.pandocvers... |
def x(url, xml):
r = _urllib.Request(url, xml)
r.add_header('Content-Type', 'application/xml')
r.add_header('User-Agent', 'Clockwork Python wrapper/1.0')
result = {}
try:
f = _urllib.urlopen(r)
except URLError as error:
raise clockwork_exceptions.HttpException(
'Error connecting to clockwork server: %s' % error)
result['data'] = f.read()
result['status'] = f.getcode()
if hasattr(f, 'headers'):
result['etag'] = f.headers.get('ETag')
result['lastmodified'] = f.headers.get('Last-Modified')
if f.headers.get('content−encoding', '') == 'gzip':
result['data'] = gzip.GzipFile(fileobj=StringIO(result['data'])
).read()
if hasattr(f, 'url'):
result['url'] = f.url
result['status'] = 200
f.close()
if result['status'] != 200:
raise clockwork_exceptions.HttpException(
'Error connecting to clockwork server - status code %s' %
result['status'])
return result
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, xml):\n r = _urllib.Request(url, xml)\n r.add_header('Content-Type', 'application/xml')\n r.add_header('User-Agent', 'Clockwork Python wrapper/1.... |
def x(self):
xml_root = self.__init_xml('Balance')
response = clockwork_http.request(BALANCE_URL, etree.tostring(xml_root,
encoding='utf-8'))
data_etree = etree.fromstring(response['data'])
err_desc = data_etree.find('ErrDesc')
if err_desc is not None:
raise clockwork_exceptions.ApiException(err_desc.text, data_etree.
find('ErrNo').text)
result = {}
result['account_type'] = data_etree.find('AccountType').text
result['balance'] = data_etree.find('Balance').text
result['currency'] = data_etree.find('Currency').text
return result
| get_balance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n xml_root = self.__init_xml('Balance')\n response = clockwork_http.request(BALANCE_URL, etree.tostring(xml_root,\n encoding='utf-8'))\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.