source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(select, tag, namespaces=None, flags=0, **kwargs):
return compile(select, namespaces, flags, **kwargs).select_one(tag)
|
select_one
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(select, tag, namespaces=None, flags=0, **kwargs):\n return compile(select, namespaces, flags, **kwargs).select_one(tag)\n",
"role": "user"
},
{
"content": "select_one",
"role": "assistant"
}
] |
def x(select, tag, namespaces=None, limit=0, flags=0, **kwargs):
return compile(select, namespaces, flags, **kwargs).select(tag, limit)
|
select
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(select, tag, namespaces=None, limit=0, flags=0, **kwargs):\n return compile(select, namespaces, flags, **kwargs).select(tag, limit)\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(select, tag, namespaces=None, limit=0, flags=0, **kwargs):
for el in compile(select, namespaces, flags, **kwargs).iselect(tag, limit):
yield el
|
iselect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(select, tag, namespaces=None, limit=0, flags=0, **kwargs):\n for el in compile(select, namespaces, flags, **kwargs).iselect(tag, limit):\n yield el\n",
"role": "user"
},
{
"content": "iselect",
"role": "assistant"
}
] |
def x(cls, connection=None, **params):
request = cls._make_request('GET', cls._get_all_path(), connection,
params=params)
return cls._create_object(request, connection=connection)
|
all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, connection=None, **params):\n request = cls._make_request('GET', cls._get_all_path(), connection,\n params=params)\n return cls._create_object(request, connection=connection)\n",
"role": "user"
},
{
"content": "all",
"role": "assistant"
}
] |
def x(cls, connection=None, **kwargs):
try:
limit = kwargs['limit']
except KeyError:
limit = None
try:
page = kwargs['page']
except KeyError:
page = None
def x():
page = 1
params = kwargs.copy()
while True:
params.update(page=page, limit=250)
rsp = cls._make_request('GET', cls._get_all_path(), connection,
params=params)
if rsp:
yield rsp
page += 1
else:
yield []
break
if not (limit or page):
for rsp in _all_responses():
for obj in rsp:
yield cls._create_object(obj, connection=connection)
else:
response = cls._make_request('GET', cls._get_all_path(), connection,
params=kwargs)
for obj in cls._create_object(response, connection=connection):
yield obj
|
iterall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, connection=None, **kwargs):\n try:\n limit = kwargs['limit']\n except KeyError:\n limit = None\n try:\n page = kwargs['page']\n except KeyError:\n page = None\n\n def x():\n page = 1\n params = kwargs.copy()\n while True:\n params.update(page=page, limit=250)\n rsp = cls._make_request('GET', cls._get_all_path(), connection,\n params=params)\n if rsp:\n yield rsp\n page += 1\n else:\n yield []\n break\n if not (limit or page):\n for rsp in _all_responses():\n for obj in rsp:\n yield cls._create_object(obj, connection=connection)\n else:\n response = cls._make_request('GET', cls._get_all_path(), connection,\n params=kwargs)\n for obj in cls._create_object(response, connection=connection):\n yield obj\n",
"role": "user"
},
{
"content": "iterall",
"role": "assistant"
}
] |
def x(self, resource='', rid=None, **query):
if rid:
if resource[-1] != '/':
resource += '/'
resource += str(rid)
response = self._run_method('GET', resource, query=query)
return self._handle_response(resource, response)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource='', rid=None, **query):\n if rid:\n if resource[-1] != '/':\n resource += '/'\n resource += str(rid)\n response = self._run_method('GET', resource, query=query)\n return self._handle_response(resource, response)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, resource, rid, updates):
if resource[-1] != '/':
resource += '/'
resource += str(rid)
return self.put(resource, data=updates)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource, rid, updates):\n if resource[-1] != '/':\n resource += '/'\n resource += str(rid)\n return self.put(resource, data=updates)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, resource, rid=None):
if rid:
if resource[-1] != '/':
resource += '/'
resource += str(rid)
response = self._run_method('DELETE', resource)
return self._handle_response(resource, response, suppress_empty=True)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource, rid=None):\n if rid:\n if resource[-1] != '/':\n resource += '/'\n resource += str(rid)\n response = self._run_method('DELETE', resource)\n return self._handle_response(resource, response, suppress_empty=True)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, url, data):
response = self._run_method('PUT', url, data=data)
log.debug('OUTPUT: %s' % response.content)
return self._handle_response(url, response)
|
put
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, data):\n response = self._run_method('PUT', url, data=data)\n log.debug('OUTPUT: %s' % response.content)\n return self._handle_response(url, response)\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, url, data, headers={}):
response = self._run_method('POST', url, data=data, headers=headers)
return self._handle_response(url, response)
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, data, headers={}):\n response = self._run_method('POST', url, data=data, headers=headers)\n return self._handle_response(url, response)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, url, res, suppress_empty=True):
self._last_response = res
result = {}
if res.status_code in (200, 201, 202):
try:
result = res.json()
except Exception as e:
e.message += ' (_handle_response failed to decode JSON: ' + str(res
.content) + ')'
raise
elif res.status_code == 204 and not suppress_empty:
raise EmptyResponseWarning('%d %s @ %s: %s' % (res.status_code, res
.reason, url, res.content), res)
elif res.status_code >= 500:
raise ServerException('%d %s @ %s: %s' % (res.status_code, res.
reason, url, res.content), res)
elif res.status_code == 429:
raise RateLimitingException('%d %s @ %s: %s' % (res.status_code,
res.reason, url, res.content), res)
elif res.status_code >= 400:
raise ClientRequestException('%d %s @ %s: %s' % (res.status_code,
res.reason, url, res.content), res)
elif res.status_code >= 300:
raise RedirectionException('%d %s @ %s: %s' % (res.status_code, res
.reason, url, res.content), res)
return result
|
handle_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, res, suppress_empty=True):\n self._last_response = res\n result = {}\n if res.status_code in (200, 201, 202):\n try:\n result = res.json()\n except Exception as e:\n e.message += ' (_handle_response failed to decode JSON: ' + str(res\n .content) + ')'\n raise\n elif res.status_code == 204 and not suppress_empty:\n raise EmptyResponseWarning('%d %s @ %s: %s' % (res.status_code, res\n .reason, url, res.content), res)\n elif res.status_code >= 500:\n raise ServerException('%d %s @ %s: %s' % (res.status_code, res.\n reason, url, res.content), res)\n elif res.status_code == 429:\n raise RateLimitingException('%d %s @ %s: %s' % (res.status_code,\n res.reason, url, res.content), res)\n elif res.status_code >= 400:\n raise ClientRequestException('%d %s @ %s: %s' % (res.status_code,\n res.reason, url, res.content), res)\n elif res.status_code >= 300:\n raise RedirectionException('%d %s @ %s: %s' % (res.status_code, res\n .reason, url, res.content), res)\n return result\n",
"role": "user"
},
{
"content": "handle_response",
"role": "assistant"
}
] |
def x(signed_payload, client_secret):
encoded_json, encoded_hmac = signed_payload.split('.')
dc_json = base64.b64decode(encoded_json)
signature = base64.b64decode(encoded_hmac)
expected_sig = hmac.new(client_secret.encode(), base64.b64decode(
encoded_json), hashlib.sha256).hexdigest()
authorised = hmac.compare_digest(signature, expected_sig.encode())
return json.loads(dc_json.decode()) if authorised else False
|
verify_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(signed_payload, client_secret):\n encoded_json, encoded_hmac = signed_payload.split('.')\n dc_json = base64.b64decode(encoded_json)\n signature = base64.b64decode(encoded_hmac)\n expected_sig = hmac.new(client_secret.encode(), base64.b64decode(\n encoded_json), hashlib.sha256).hexdigest()\n authorised = hmac.compare_digest(signature, expected_sig.encode())\n return json.loads(dc_json.decode()) if authorised else False\n",
"role": "user"
},
{
"content": "verify_payload",
"role": "assistant"
}
] |
def x(self, client_secret, code, context, scope, redirect_uri, token_url=
'https://login.bigcommerce.com/oauth2/token'):
res = self.post(token_url, {'client_id': self.client_id,
'client_secret': client_secret, 'code': code, 'context': context,
'scope': scope, 'grant_type': 'authorization_code', 'redirect_uri':
redirect_uri}, headers={'Content-Type':
'application/x-www-form-urlencoded'})
self._session.headers.update(self._oauth_headers(self.client_id, res[
'access_token']))
return res
|
fetch_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, client_secret, code, context, scope, redirect_uri, token_url=\n 'https://login.bigcommerce.com/oauth2/token'):\n res = self.post(token_url, {'client_id': self.client_id,\n 'client_secret': client_secret, 'code': code, 'context': context,\n 'scope': scope, 'grant_type': 'authorization_code', 'redirect_uri':\n redirect_uri}, headers={'Content-Type':\n 'application/x-www-form-urlencoded'})\n self._session.headers.update(self._oauth_headers(self.client_id, res[\n 'access_token']))\n return res\n",
"role": "user"
},
{
"content": "fetch_token",
"role": "assistant"
}
] |
def x(self, url, res, suppress_empty=True):
result = Connection._handle_response(self, url, res, suppress_empty)
if 'X-Rate-Limit-Time-Reset-Ms' in res.headers:
self.rate_limit = dict(ms_until_reset=int(res.headers[
'X-Rate-Limit-Time-Reset-Ms']), window_size_ms=int(res.headers[
'X-Rate-Limit-Time-Window-Ms']), requests_remaining=int(res.
headers['X-Rate-Limit-Requests-Left']), requests_quota=int(res.
headers['X-Rate-Limit-Requests-Quota']))
if self.rate_limiting_management:
if self.rate_limiting_management['min_requests_remaining'
] >= self.rate_limit['requests_remaining']:
if self.rate_limiting_management['wait']:
sleep(ceil(float(self.rate_limit['ms_until_reset']) / 1000)
)
if self.rate_limiting_management.get('callback_function'):
callback = self.rate_limiting_management[
'callback_function']
args_dict = self.rate_limiting_management.get(
'callback_args')
if args_dict:
callback(args_dict)
else:
callback()
return result
|
handle_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, res, suppress_empty=True):\n result = Connection._handle_response(self, url, res, suppress_empty)\n if 'X-Rate-Limit-Time-Reset-Ms' in res.headers:\n self.rate_limit = dict(ms_until_reset=int(res.headers[\n 'X-Rate-Limit-Time-Reset-Ms']), window_size_ms=int(res.headers[\n 'X-Rate-Limit-Time-Window-Ms']), requests_remaining=int(res.\n headers['X-Rate-Limit-Requests-Left']), requests_quota=int(res.\n headers['X-Rate-Limit-Requests-Quota']))\n if self.rate_limiting_management:\n if self.rate_limiting_management['min_requests_remaining'\n ] >= self.rate_limit['requests_remaining']:\n if self.rate_limiting_management['wait']:\n sleep(ceil(float(self.rate_limit['ms_until_reset']) / 1000)\n )\n if self.rate_limiting_management.get('callback_function'):\n callback = self.rate_limiting_management[\n 'callback_function']\n args_dict = self.rate_limiting_management.get(\n 'callback_args')\n if args_dict:\n callback(args_dict)\n else:\n callback()\n return result\n",
"role": "user"
},
{
"content": "handle_response",
"role": "assistant"
}
] |
def x(text, escape_slash=False):
byte_str = text.encode('utf-8')
ob = lib.hoedown_buffer_new(OUNIT)
lib.hoedown_escape_html(ob, byte_str, len(byte_str), int(escape_slash))
try:
return to_string(ob)
finally:
lib.hoedown_buffer_free(ob)
|
escape_html
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, escape_slash=False):\n byte_str = text.encode('utf-8')\n ob = lib.hoedown_buffer_new(OUNIT)\n lib.hoedown_escape_html(ob, byte_str, len(byte_str), int(escape_slash))\n try:\n return to_string(ob)\n finally:\n lib.hoedown_buffer_free(ob)\n",
"role": "user"
},
{
"content": "escape_html",
"role": "assistant"
}
] |
def x(text, extensions=0, render_flags=0):
extensions = args_to_int(extension_map, extensions)
render_flags = args_to_int(html_flag_map, render_flags)
ib = lib.hoedown_buffer_new(IUNIT)
ob = lib.hoedown_buffer_new(OUNIT)
renderer = lib.hoedown_html_renderer_new(render_flags, 0)
document = lib.hoedown_document_new(renderer, extensions, 16)
lib.hoedown_buffer_puts(ib, text.encode('utf-8'))
lib.hoedown_document_render(document, ob, ib.data, ib.size)
lib.hoedown_buffer_free(ib)
lib.hoedown_document_free(document)
lib.hoedown_html_renderer_free(renderer)
try:
return to_string(ob)
finally:
lib.hoedown_buffer_free(ob)
|
html
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, extensions=0, render_flags=0):\n extensions = args_to_int(extension_map, extensions)\n render_flags = args_to_int(html_flag_map, render_flags)\n ib = lib.hoedown_buffer_new(IUNIT)\n ob = lib.hoedown_buffer_new(OUNIT)\n renderer = lib.hoedown_html_renderer_new(render_flags, 0)\n document = lib.hoedown_document_new(renderer, extensions, 16)\n lib.hoedown_buffer_puts(ib, text.encode('utf-8'))\n lib.hoedown_document_render(document, ob, ib.data, ib.size)\n lib.hoedown_buffer_free(ib)\n lib.hoedown_document_free(document)\n lib.hoedown_html_renderer_free(renderer)\n try:\n return to_string(ob)\n finally:\n lib.hoedown_buffer_free(ob)\n",
"role": "user"
},
{
"content": "html",
"role": "assistant"
}
] |
def x(text):
byte_str = text.encode('utf-8')
ob = lib.hoedown_buffer_new(OUNIT)
lib.hoedown_html_smartypants(ob, byte_str, len(byte_str))
try:
return to_string(ob)
finally:
lib.hoedown_buffer_free(ob)
|
smartypants
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n byte_str = text.encode('utf-8')\n ob = lib.hoedown_buffer_new(OUNIT)\n lib.hoedown_html_smartypants(ob, byte_str, len(byte_str))\n try:\n return to_string(ob)\n finally:\n lib.hoedown_buffer_free(ob)\n",
"role": "user"
},
{
"content": "smartypants",
"role": "assistant"
}
] |
def x(self, raw_url, is_email):
if self.check_url(raw_url):
url = self.rewrite_url(('mailto:' if is_email else '') + raw_url)
url = escape_html(url)
return '<a href="%s">%s</a>' % (url, escape_html(raw_url))
else:
return escape_html('<%s>' % raw_url)
|
autolink
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_url, is_email):\n if self.check_url(raw_url):\n url = self.rewrite_url(('mailto:' if is_email else '') + raw_url)\n url = escape_html(url)\n return '<a href=\"%s\">%s</a>' % (url, escape_html(raw_url))\n else:\n return escape_html('<%s>' % raw_url)\n",
"role": "user"
},
{
"content": "autolink",
"role": "assistant"
}
] |
def x(self, raw_url, title='', alt=''):
if self.check_url(raw_url, is_image_src=True):
url = self.rewrite_url(raw_url, is_image_src=True)
maybe_alt = ' alt="%s"' % escape_html(alt) if alt else ''
maybe_title = ' title="%s"' % escape_html(title) if title else ''
url = escape_html(url)
return '<img src="%s"%s%s />' % (url, maybe_alt, maybe_title)
else:
return escape_html('' % (alt, raw_url))
|
image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_url, title='', alt=''):\n if self.check_url(raw_url, is_image_src=True):\n url = self.rewrite_url(raw_url, is_image_src=True)\n maybe_alt = ' alt=\"%s\"' % escape_html(alt) if alt else ''\n maybe_title = ' title=\"%s\"' % escape_html(title) if title else ''\n url = escape_html(url)\n return '<img src=\"%s\"%s%s />' % (url, maybe_alt, maybe_title)\n else:\n return escape_html('' % (alt, raw_url))\n",
"role": "user"
},
{
"content": "image",
"role": "assistant"
}
] |
def x(self, content, raw_url, title=''):
if self.check_url(raw_url):
url = self.rewrite_url(raw_url)
maybe_title = ' title="%s"' % escape_html(title) if title else ''
url = escape_html(url)
return '<a href="%s"%s>' % (url, maybe_title) + content + '</a>'
else:
return escape_html('[%s](%s)' % (content, raw_url))
|
link
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content, raw_url, title=''):\n if self.check_url(raw_url):\n url = self.rewrite_url(raw_url)\n maybe_title = ' title=\"%s\"' % escape_html(title) if title else ''\n url = escape_html(url)\n return '<a href=\"%s\"%s>' % (url, maybe_title) + content + '</a>'\n else:\n return escape_html('[%s](%s)' % (content, raw_url))\n",
"role": "user"
},
{
"content": "link",
"role": "assistant"
}
] |
def x(self, url, is_image_src=False):
return bool(self._allowed_url_re.match(url))
|
check_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, is_image_src=False):\n return bool(self._allowed_url_re.match(url))\n",
"role": "user"
},
{
"content": "check_url",
"role": "assistant"
}
] |
def x(self, url, is_image_src=False):
rewrite = self.img_src_rewrite if is_image_src else self.link_rewrite
if rewrite:
return rewrite.format(url=urlquote(url))
return url
|
rewrite_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, is_image_src=False):\n rewrite = self.img_src_rewrite if is_image_src else self.link_rewrite\n if rewrite:\n return rewrite.format(url=urlquote(url))\n return url\n",
"role": "user"
},
{
"content": "rewrite_url",
"role": "assistant"
}
] |
def x(mapping, argument):
if isinstance(argument, int):
if argument == 0:
return 0
deprecation('passing extensions and flags as constants is deprecated')
return argument
elif isinstance(argument, (tuple, list)):
return reduce(op.or_, [mapping[n] for n in set(argument) if n in
mapping], 0)
raise TypeError('argument must be a list of strings or an int')
|
args_to_int
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mapping, argument):\n if isinstance(argument, int):\n if argument == 0:\n return 0\n deprecation('passing extensions and flags as constants is deprecated')\n return argument\n elif isinstance(argument, (tuple, list)):\n return reduce(op.or_, [mapping[n] for n in set(argument) if n in\n mapping], 0)\n raise TypeError('argument must be a list of strings or an int')\n",
"role": "user"
},
{
"content": "args_to_int",
"role": "assistant"
}
] |
def x(obj, fp, **options):
global compatibility
ext_handlers = options.get('ext_handlers')
if obj is None:
_pack_nil(obj, fp, options)
elif ext_handlers and obj.__class__ in ext_handlers:
_pack_ext(ext_handlers[obj.__class__](obj), fp, options)
elif isinstance(obj, bool):
_pack_boolean(obj, fp, options)
elif isinstance(obj, int):
_pack_integer(obj, fp, options)
elif isinstance(obj, float):
_pack_float(obj, fp, options)
elif compatibility and isinstance(obj, str):
_pack_oldspec_raw(obj.encode('utf-8'), fp, options)
elif compatibility and isinstance(obj, bytes):
_pack_oldspec_raw(obj, fp, options)
elif isinstance(obj, str):
_pack_string(obj, fp, options)
elif isinstance(obj, bytes):
_pack_binary(obj, fp, options)
elif isinstance(obj, (list, tuple)):
_pack_array(obj, fp, options)
elif isinstance(obj, dict):
_pack_map(obj, fp, options)
elif isinstance(obj, datetime.datetime):
_pack_ext_timestamp(obj, fp, options)
elif isinstance(obj, Ext):
_pack_ext(obj, fp, options)
elif ext_handlers:
t = next((t for t in ext_handlers.keys() if isinstance(obj, t)), None)
if t:
_pack_ext(ext_handlers[t](obj), fp, options)
else:
raise UnsupportedTypeException('unsupported type: %s' % str(
type(obj)))
else:
raise UnsupportedTypeException('unsupported type: %s' % str(type(obj)))
|
pack3
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, fp, **options):\n global compatibility\n ext_handlers = options.get('ext_handlers')\n if obj is None:\n _pack_nil(obj, fp, options)\n elif ext_handlers and obj.__class__ in ext_handlers:\n _pack_ext(ext_handlers[obj.__class__](obj), fp, options)\n elif isinstance(obj, bool):\n _pack_boolean(obj, fp, options)\n elif isinstance(obj, int):\n _pack_integer(obj, fp, options)\n elif isinstance(obj, float):\n _pack_float(obj, fp, options)\n elif compatibility and isinstance(obj, str):\n _pack_oldspec_raw(obj.encode('utf-8'), fp, options)\n elif compatibility and isinstance(obj, bytes):\n _pack_oldspec_raw(obj, fp, options)\n elif isinstance(obj, str):\n _pack_string(obj, fp, options)\n elif isinstance(obj, bytes):\n _pack_binary(obj, fp, options)\n elif isinstance(obj, (list, tuple)):\n _pack_array(obj, fp, options)\n elif isinstance(obj, dict):\n _pack_map(obj, fp, options)\n elif isinstance(obj, datetime.datetime):\n _pack_ext_timestamp(obj, fp, options)\n elif isinstance(obj, Ext):\n _pack_ext(obj, fp, options)\n elif ext_handlers:\n t = next((t for t in ext_handlers.keys() if isinstance(obj, t)), None)\n if t:\n _pack_ext(ext_handlers[t](obj), fp, options)\n else:\n raise UnsupportedTypeException('unsupported type: %s' % str(\n type(obj)))\n else:\n raise UnsupportedTypeException('unsupported type: %s' % str(type(obj)))\n",
"role": "user"
},
{
"content": "pack3",
"role": "assistant"
}
] |
def x():
import pipeline
if pipeline._TEST_MODE:
return None
if ('CURRENT_VERSION_ID' not in os.environ or 'CURRENT_MODULE_ID' not in
os.environ):
logging.warning(
'Running Pipeline in non TEST_MODE but important env vars are not set.'
)
return None
version = os.environ['CURRENT_VERSION_ID'].split('.')[0]
module = os.environ['CURRENT_MODULE_ID']
return '%s.%s' % (version, module)
|
get_task_target
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import pipeline\n if pipeline._TEST_MODE:\n return None\n if ('CURRENT_VERSION_ID' not in os.environ or 'CURRENT_MODULE_ID' not in\n os.environ):\n logging.warning(\n 'Running Pipeline in non TEST_MODE but important env vars are not set.'\n )\n return None\n version = os.environ['CURRENT_VERSION_ID'].split('.')[0]\n module = os.environ['CURRENT_MODULE_ID']\n return '%s.%s' % (version, module)\n",
"role": "user"
},
{
"content": "get_task_target",
"role": "assistant"
}
] |
def x(obj):
CO_GENERATOR = 32
return bool((inspect.isfunction(obj) or inspect.ismethod(obj)) and obj.
func_code.co_flags & CO_GENERATOR)
|
is_generator_function
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n CO_GENERATOR = 32\n return bool((inspect.isfunction(obj) or inspect.ismethod(obj)) and obj.\n func_code.co_flags & CO_GENERATOR)\n",
"role": "user"
},
{
"content": "is_generator_function",
"role": "assistant"
}
] |
def x(object_type, encoder, decoder):
global _TYPE_TO_ENCODER
global _TYPE_NAME_TO_DECODER
if object_type not in _TYPE_TO_ENCODER:
_TYPE_TO_ENCODER[object_type] = encoder
_TYPE_NAME_TO_DECODER[object_type.__name__] = decoder
|
register_json_primitive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object_type, encoder, decoder):\n global _TYPE_TO_ENCODER\n global _TYPE_NAME_TO_DECODER\n if object_type not in _TYPE_TO_ENCODER:\n _TYPE_TO_ENCODER[object_type] = encoder\n _TYPE_NAME_TO_DECODER[object_type.__name__] = decoder\n",
"role": "user"
},
{
"content": "register_json_primitive",
"role": "assistant"
}
] |
def x(d):
k_c = d['key_string']
if isinstance(k_c, (list, tuple)):
return ndb.Key(flat=k_c)
return ndb.Key(urlsafe=d['key_string'])
|
JsonDecodeKey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n k_c = d['key_string']\n if isinstance(k_c, (list, tuple)):\n return ndb.Key(flat=k_c)\n return ndb.Key(urlsafe=d['key_string'])\n",
"role": "user"
},
{
"content": "JsonDecodeKey",
"role": "assistant"
}
] |
def x(self, o):
if type(o) in _TYPE_TO_ENCODER:
encoder = _TYPE_TO_ENCODER[type(o)]
json_struct = encoder(o)
json_struct[self.TYPE_ID] = type(o).__name__
return json_struct
return super(JsonEncoder, self).default(o)
|
default
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, o):\n if type(o) in _TYPE_TO_ENCODER:\n encoder = _TYPE_TO_ENCODER[type(o)]\n json_struct = encoder(o)\n json_struct[self.TYPE_ID] = type(o).__name__\n return json_struct\n return super(JsonEncoder, self).default(o)\n",
"role": "user"
},
{
"content": "default",
"role": "assistant"
}
] |
def x(self, d):
if JsonEncoder.TYPE_ID not in d:
return d
type_name = d.pop(JsonEncoder.TYPE_ID)
if type_name in _TYPE_NAME_TO_DECODER:
decoder = _TYPE_NAME_TO_DECODER[type_name]
return decoder(d)
else:
raise TypeError('Invalid type %s.', type_name)
|
dict_to_obj
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, d):\n if JsonEncoder.TYPE_ID not in d:\n return d\n type_name = d.pop(JsonEncoder.TYPE_ID)\n if type_name in _TYPE_NAME_TO_DECODER:\n decoder = _TYPE_NAME_TO_DECODER[type_name]\n return decoder(d)\n else:\n raise TypeError('Invalid type %s.', type_name)\n",
"role": "user"
},
{
"content": "dict_to_obj",
"role": "assistant"
}
] |
def x(obj):
stringified = pprint.saferepr(obj)
if len(stringified) > 200:
return '%s... (%d bytes)' % (stringified[:200], len(stringified))
return stringified
|
short_repr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n stringified = pprint.saferepr(obj)\n if len(stringified) > 200:\n return '%s... (%d bytes)' % (stringified[:200], len(stringified))\n return stringified\n",
"role": "user"
},
{
"content": "short_repr",
"role": "assistant"
}
] |
def x(encoded_value, pipeline_id=None):
default_bucket = app_identity.get_default_gcs_bucket_name()
if default_bucket is None:
raise Exception(
'No default cloud storage bucket has been set for this application. This app was likely created before v1.9.0, please see: https://cloud.google.com/appengine/docs/php/googlestorage/setup'
)
path_components = ['/', default_bucket, 'appengine_pipeline']
if pipeline_id:
path_components.append(pipeline_id)
path_components.append(uuid.uuid4().hex)
file_name = posixpath.join(*path_components)
with cloudstorage.open(file_name, 'w', content_type='application/json'
) as f:
for start_index in xrange(0, len(encoded_value), _MAX_JSON_SIZE):
end_index = start_index + _MAX_JSON_SIZE
f.write(encoded_value[start_index:end_index])
key_str = blobstore.create_gs_key('/gs' + file_name)
logging.debug('Created blob for filename = %s gs_key = %s', file_name,
key_str)
return blobstore.BlobKey(key_str)
|
write_json_blob
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(encoded_value, pipeline_id=None):\n default_bucket = app_identity.get_default_gcs_bucket_name()\n if default_bucket is None:\n raise Exception(\n 'No default cloud storage bucket has been set for this application. This app was likely created before v1.9.0, please see: https://cloud.google.com/appengine/docs/php/googlestorage/setup'\n )\n path_components = ['/', default_bucket, 'appengine_pipeline']\n if pipeline_id:\n path_components.append(pipeline_id)\n path_components.append(uuid.uuid4().hex)\n file_name = posixpath.join(*path_components)\n with cloudstorage.open(file_name, 'w', content_type='application/json'\n ) as f:\n for start_index in xrange(0, len(encoded_value), _MAX_JSON_SIZE):\n end_index = start_index + _MAX_JSON_SIZE\n f.write(encoded_value[start_index:end_index])\n key_str = blobstore.create_gs_key('/gs' + file_name)\n logging.debug('Created blob for filename = %s gs_key = %s', file_name,\n key_str)\n return blobstore.BlobKey(key_str)\n",
"role": "user"
},
{
"content": "write_json_blob",
"role": "assistant"
}
] |
def x(pipeline_name, args, kwargs):
lookup_slots = set()
for arg in itertools.chain(args, kwargs.itervalues()):
if arg['type'] == 'slot':
lookup_slots.add(db.Key(arg['slot_key']))
slot_dict = {}
for key, slot_record in zip(lookup_slots, db.get(lookup_slots)):
if slot_record is None or slot_record.status != _SlotRecord.FILLED:
raise SlotNotFilledError(
'Slot "%s" missing its value. From %s(*args=%s, **kwargs=%s)' %
(key, pipeline_name, _short_repr(args), _short_repr(kwargs)))
slot_dict[key] = slot_record.value
arg_list = []
for current_arg in args:
if current_arg['type'] == 'slot':
arg_list.append(slot_dict[db.Key(current_arg['slot_key'])])
elif current_arg['type'] == 'value':
arg_list.append(current_arg['value'])
else:
raise UnexpectedPipelineError('Unknown parameter type: %r' %
current_arg)
kwarg_dict = {}
for key, current_arg in kwargs.iteritems():
if current_arg['type'] == 'slot':
kwarg_dict[key] = slot_dict[db.Key(current_arg['slot_key'])]
elif current_arg['type'] == 'value':
kwarg_dict[key] = current_arg['value']
else:
raise UnexpectedPipelineError('Unknown parameter type: %r' %
current_arg)
return arg_list, kwarg_dict
|
dereference_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline_name, args, kwargs):\n lookup_slots = set()\n for arg in itertools.chain(args, kwargs.itervalues()):\n if arg['type'] == 'slot':\n lookup_slots.add(db.Key(arg['slot_key']))\n slot_dict = {}\n for key, slot_record in zip(lookup_slots, db.get(lookup_slots)):\n if slot_record is None or slot_record.status != _SlotRecord.FILLED:\n raise SlotNotFilledError(\n 'Slot \"%s\" missing its value. From %s(*args=%s, **kwargs=%s)' %\n (key, pipeline_name, _short_repr(args), _short_repr(kwargs)))\n slot_dict[key] = slot_record.value\n arg_list = []\n for current_arg in args:\n if current_arg['type'] == 'slot':\n arg_list.append(slot_dict[db.Key(current_arg['slot_key'])])\n elif current_arg['type'] == 'value':\n arg_list.append(current_arg['value'])\n else:\n raise UnexpectedPipelineError('Unknown parameter type: %r' %\n current_arg)\n kwarg_dict = {}\n for key, current_arg in kwargs.iteritems():\n if current_arg['type'] == 'slot':\n kwarg_dict[key] = slot_dict[db.Key(current_arg['slot_key'])]\n elif current_arg['type'] == 'value':\n kwarg_dict[key] = current_arg['value']\n else:\n raise UnexpectedPipelineError('Unknown parameter type: %r' %\n current_arg)\n return arg_list, kwarg_dict\n",
"role": "user"
},
{
"content": "dereference_args",
"role": "assistant"
}
] |
def x(pipeline, future, queue_name, base_path):
params = {'args': [], 'kwargs': {}, 'after_all': [], 'output_slots': {},
'class_path': pipeline._class_path, 'queue_name': queue_name,
'base_path': base_path, 'backoff_seconds': pipeline.backoff_seconds,
'backoff_factor': pipeline.backoff_factor, 'max_attempts': pipeline
.max_attempts, 'task_retry': pipeline.task_retry, 'target':
pipeline.target}
dependent_slots = set()
arg_list = params['args']
for current_arg in pipeline.args:
if isinstance(current_arg, PipelineFuture):
current_arg = current_arg.default
if isinstance(current_arg, Slot):
arg_list.append({'type': 'slot', 'slot_key': str(current_arg.key)})
dependent_slots.add(current_arg.key)
else:
arg_list.append({'type': 'value', 'value': current_arg})
kwarg_dict = params['kwargs']
for name, current_arg in pipeline.kwargs.iteritems():
if isinstance(current_arg, PipelineFuture):
current_arg = current_arg.default
if isinstance(current_arg, Slot):
kwarg_dict[name] = {'type': 'slot', 'slot_key': str(current_arg
.key)}
dependent_slots.add(current_arg.key)
else:
kwarg_dict[name] = {'type': 'value', 'value': current_arg}
after_all = params['after_all']
for other_future in future._after_all_pipelines:
slot_key = other_future._output_dict['default'].key
after_all.append(str(slot_key))
dependent_slots.add(slot_key)
output_slots = params['output_slots']
output_slot_keys = set()
for name, slot in future._output_dict.iteritems():
output_slot_keys.add(slot.key)
output_slots[name] = str(slot.key)
params_encoded = json.dumps(params, cls=mr_util.JsonEncoder)
params_text = None
params_blob = None
if len(params_encoded) > _MAX_JSON_SIZE:
params_blob = _write_json_blob(params_encoded, pipeline.pipeline_id)
else:
params_text = params_encoded
return dependent_slots, output_slot_keys, params_text, params_blob
|
generate_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline, future, queue_name, base_path):\n params = {'args': [], 'kwargs': {}, 'after_all': [], 'output_slots': {},\n 'class_path': pipeline._class_path, 'queue_name': queue_name,\n 'base_path': base_path, 'backoff_seconds': pipeline.backoff_seconds,\n 'backoff_factor': pipeline.backoff_factor, 'max_attempts': pipeline\n .max_attempts, 'task_retry': pipeline.task_retry, 'target':\n pipeline.target}\n dependent_slots = set()\n arg_list = params['args']\n for current_arg in pipeline.args:\n if isinstance(current_arg, PipelineFuture):\n current_arg = current_arg.default\n if isinstance(current_arg, Slot):\n arg_list.append({'type': 'slot', 'slot_key': str(current_arg.key)})\n dependent_slots.add(current_arg.key)\n else:\n arg_list.append({'type': 'value', 'value': current_arg})\n kwarg_dict = params['kwargs']\n for name, current_arg in pipeline.kwargs.iteritems():\n if isinstance(current_arg, PipelineFuture):\n current_arg = current_arg.default\n if isinstance(current_arg, Slot):\n kwarg_dict[name] = {'type': 'slot', 'slot_key': str(current_arg\n .key)}\n dependent_slots.add(current_arg.key)\n else:\n kwarg_dict[name] = {'type': 'value', 'value': current_arg}\n after_all = params['after_all']\n for other_future in future._after_all_pipelines:\n slot_key = other_future._output_dict['default'].key\n after_all.append(str(slot_key))\n dependent_slots.add(slot_key)\n output_slots = params['output_slots']\n output_slot_keys = set()\n for name, slot in future._output_dict.iteritems():\n output_slot_keys.add(slot.key)\n output_slots[name] = str(slot.key)\n params_encoded = json.dumps(params, cls=mr_util.JsonEncoder)\n params_text = None\n params_blob = None\n if len(params_encoded) > _MAX_JSON_SIZE:\n params_blob = _write_json_blob(params_encoded, pipeline.pipeline_id)\n else:\n params_text = params_encoded\n return dependent_slots, output_slot_keys, params_text, params_blob\n",
"role": "user"
},
{
"content": "generate_args",
"role": "assistant"
}
] |
def x(when):
if when is None:
return None
ms_since_epoch = float(time.mktime(when.utctimetuple()) * 1000.0)
ms_since_epoch += when.microsecond / 1000.0
return int(ms_since_epoch)
|
get_timestamp_ms
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(when):\n if when is None:\n return None\n ms_since_epoch = float(time.mktime(when.utctimetuple()) * 1000.0)\n ms_since_epoch += when.microsecond / 1000.0\n return int(ms_since_epoch)\n",
"role": "user"
},
{
"content": "get_timestamp_ms",
"role": "assistant"
}
] |
def x(pipeline_key=None, pipeline_dict=None, slot_dict=None, barrier_dict=
None, status_dict=None):
if pipeline_dict is None:
pipeline_dict = {}
if slot_dict is None:
slot_dict = {}
if barrier_dict is None:
barrier_dict = {}
if status_dict is None:
status_dict = {}
pipeline_record = pipeline_dict.get(pipeline_key)
if pipeline_record is None:
raise PipelineStatusError('Could not find pipeline ID "%s"' %
pipeline_key.name())
params = pipeline_record.params
root_pipeline_key = _PipelineRecord.root_pipeline.get_value_for_datastore(
pipeline_record)
default_slot_key = db.Key(params['output_slots']['default'])
start_barrier_key = db.Key.from_path(_BarrierRecord.kind(),
_BarrierRecord.START, parent=pipeline_key)
finalize_barrier_key = db.Key.from_path(_BarrierRecord.kind(),
_BarrierRecord.FINALIZE, parent=pipeline_key)
status_record_key = db.Key.from_path(_StatusRecord.kind(), pipeline_key
.name())
start_barrier = barrier_dict.get(start_barrier_key)
finalize_barrier = barrier_dict.get(finalize_barrier_key)
default_slot = slot_dict.get(default_slot_key)
status_record = status_dict.get(status_record_key)
if finalize_barrier is None:
raise PipelineStatusError(
'Finalization barrier missing for pipeline ID "%s"' %
pipeline_key.name())
if default_slot is None:
raise PipelineStatusError(
'Default output slot with key=%s missing for pipeline ID "%s"' %
(default_slot_key, pipeline_key.name()))
output = {'classPath': pipeline_record.class_path, 'args': list(params[
'args']), 'kwargs': params['kwargs'].copy(), 'outputs': params[
'output_slots'].copy(), 'children': [key.name() for key in
pipeline_record.fanned_out], 'queueName': params['queue_name'],
'afterSlotKeys': [str(key) for key in params['after_all']],
'currentAttempt': pipeline_record.current_attempt + 1,
'maxAttempts': pipeline_record.max_attempts, 'backoffSeconds':
pipeline_record.params['backoff_seconds'], 'backoffFactor':
pipeline_record.params['backoff_factor']}
for value_dict in itertools.chain(output['args'], output['kwargs'].
itervalues()):
if 'slot_key' in value_dict:
value_dict['slotKey'] = value_dict.pop('slot_key')
if pipeline_record.status in (_PipelineRecord.WAITING, _PipelineRecord.RUN
):
if default_slot.status == _SlotRecord.FILLED:
status = 'finalizing'
elif pipeline_record.status == _PipelineRecord.WAITING and pipeline_record.next_retry_time is not None:
status = 'retry'
elif start_barrier and start_barrier.status == _BarrierRecord.WAITING:
status = 'waiting'
else:
status = 'run'
elif pipeline_record.status == _PipelineRecord.DONE:
status = 'done'
elif pipeline_record.status == _PipelineRecord.ABORTED:
status = 'aborted'
output['status'] = status
if status_record:
output['statusTimeMs'] = _get_timestamp_ms(status_record.status_time)
if status_record.message:
output['statusMessage'] = status_record.message
if status_record.console_url:
output['statusConsoleUrl'] = status_record.console_url
if status_record.link_names:
output['statusLinks'] = dict(zip(status_record.link_names,
status_record.link_urls))
if status in ('run', 'finalizing', 'done', 'retry'):
if pipeline_record.next_retry_time is not None:
output['startTimeMs'] = _get_timestamp_ms(pipeline_record.
next_retry_time)
elif start_barrier:
output['startTimeMs'] = _get_timestamp_ms(start_barrier.
trigger_time)
elif pipeline_record.start_time:
output['startTimeMs'] = _get_timestamp_ms(pipeline_record.
start_time)
if status in ('finalizing',):
output['endTimeMs'] = _get_timestamp_ms(default_slot.fill_time)
if status in ('done',):
output['endTimeMs'] = _get_timestamp_ms(pipeline_record.finalized_time)
if pipeline_record.next_retry_time is not None:
output['lastRetryMessage'] = pipeline_record.retry_message
if pipeline_record.abort_message:
output['abortMessage'] = pipeline_record.abort_message
return output
|
get_internal_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pipeline_key=None, pipeline_dict=None, slot_dict=None, barrier_dict=\n None, status_dict=None):\n if pipeline_dict is None:\n pipeline_dict = {}\n if slot_dict is None:\n slot_dict = {}\n if barrier_dict is None:\n barrier_dict = {}\n if status_dict is None:\n status_dict = {}\n pipeline_record = pipeline_dict.get(pipeline_key)\n if pipeline_record is None:\n raise PipelineStatusError('Could not find pipeline ID \"%s\"' %\n pipeline_key.name())\n params = pipeline_record.params\n root_pipeline_key = _PipelineRecord.root_pipeline.get_value_for_datastore(\n pipeline_record)\n default_slot_key = db.Key(params['output_slots']['default'])\n start_barrier_key = db.Key.from_path(_BarrierRecord.kind(),\n _BarrierRecord.START, parent=pipeline_key)\n finalize_barrier_key = db.Key.from_path(_BarrierRecord.kind(),\n _BarrierRecord.FINALIZE, parent=pipeline_key)\n status_record_key = db.Key.from_path(_StatusRecord.kind(), pipeline_key\n .name())\n start_barrier = barrier_dict.get(start_barrier_key)\n finalize_barrier = barrier_dict.get(finalize_barrier_key)\n default_slot = slot_dict.get(default_slot_key)\n status_record = status_dict.get(status_record_key)\n if finalize_barrier is None:\n raise PipelineStatusError(\n 'Finalization barrier missing for pipeline ID \"%s\"' %\n pipeline_key.name())\n if default_slot is None:\n raise PipelineStatusError(\n 'Default output slot with key=%s missing for pipeline ID \"%s\"' %\n (default_slot_key, pipeline_key.name()))\n output = {'classPath': pipeline_record.class_path, 'args': list(params[\n 'args']), 'kwargs': params['kwargs'].copy(), 'outputs': params[\n 'output_slots'].copy(), 'children': [key.name() for key in\n pipeline_record.fanned_out], 'queueName': params['queue_name'],\n 'afterSlotKeys': [str(key) for key in params['after_all']],\n 'currentAttempt': pipeline_record.current_attempt + 1,\n 'maxAttempts': pipeline_record.max_attempts, 'backoffSeconds':\n pipeline_record.params['backoff_seconds'], 'backoffFactor':\n pipeline_record.params['backoff_factor']}\n for value_dict in itertools.chain(output['args'], output['kwargs'].\n itervalues()):\n if 'slot_key' in value_dict:\n value_dict['slotKey'] = value_dict.pop('slot_key')\n if pipeline_record.status in (_PipelineRecord.WAITING, _PipelineRecord.RUN\n ):\n if default_slot.status == _SlotRecord.FILLED:\n status = 'finalizing'\n elif pipeline_record.status == _PipelineRecord.WAITING and pipeline_record.next_retry_time is not None:\n status = 'retry'\n elif start_barrier and start_barrier.status == _BarrierRecord.WAITING:\n status = 'waiting'\n else:\n status = 'run'\n elif pipeline_record.status == _PipelineRecord.DONE:\n status = 'done'\n elif pipeline_record.status == _PipelineRecord.ABORTED:\n status = 'aborted'\n output['status'] = status\n if status_record:\n output['statusTimeMs'] = _get_timestamp_ms(status_record.status_time)\n if status_record.message:\n output['statusMessage'] = status_record.message\n if status_record.console_url:\n output['statusConsoleUrl'] = status_record.console_url\n if status_record.link_names:\n output['statusLinks'] = dict(zip(status_record.link_names,\n status_record.link_urls))\n if status in ('run', 'finalizing', 'done', 'retry'):\n if pipeline_record.next_retry_time is not None:\n output['startTimeMs'] = _get_timestamp_ms(pipeline_record.\n next_retry_time)\n elif start_barrier:\n output['startTimeMs'] = _get_timestamp_ms(start_barrier.\n trigger_time)\n elif pipeline_record.start_time:\n output['startTimeMs'] = _get_timestamp_ms(pipeline_record.\n start_time)\n if status in ('finalizing',):\n output['endTimeMs'] = _get_timestamp_ms(default_slot.fill_time)\n if status in ('done',):\n output['endTimeMs'] = _get_timestamp_ms(pipeline_record.finalized_time)\n if pipeline_record.next_retry_time is not None:\n output['lastRetryMessage'] = pipeline_record.retry_message\n if pipeline_record.abort_message:\n output['abortMessage'] = pipeline_record.abort_message\n return output\n",
"role": "user"
},
{
"content": "get_internal_status",
"role": "assistant"
}
] |
def x(slot_key=None, filler_pipeline_key=None, slot_dict=None):
if slot_dict is None:
slot_dict = {}
slot_record = slot_dict.get(slot_key)
if slot_record is None:
raise PipelineStatusError(
'Could not find data for output slot key "%s".' % slot_key)
output = {}
if slot_record.status == _SlotRecord.FILLED:
output['status'] = 'filled'
output['fillTimeMs'] = _get_timestamp_ms(slot_record.fill_time)
output['value'] = slot_record.value
filler_pipeline_key = _SlotRecord.filler.get_value_for_datastore(
slot_record)
else:
output['status'] = 'waiting'
if filler_pipeline_key:
output['fillerPipelineId'] = filler_pipeline_key.name()
return output
|
get_internal_slot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slot_key=None, filler_pipeline_key=None, slot_dict=None):\n if slot_dict is None:\n slot_dict = {}\n slot_record = slot_dict.get(slot_key)\n if slot_record is None:\n raise PipelineStatusError(\n 'Could not find data for output slot key \"%s\".' % slot_key)\n output = {}\n if slot_record.status == _SlotRecord.FILLED:\n output['status'] = 'filled'\n output['fillTimeMs'] = _get_timestamp_ms(slot_record.fill_time)\n output['value'] = slot_record.value\n filler_pipeline_key = _SlotRecord.filler.get_value_for_datastore(\n slot_record)\n else:\n output['status'] = 'waiting'\n if filler_pipeline_key:\n output['fillerPipelineId'] = filler_pipeline_key.name()\n return output\n",
"role": "user"
},
{
"content": "get_internal_slot",
"role": "assistant"
}
] |
def x(root_pipeline_id):
root_pipeline_key = db.Key.from_path(_PipelineRecord.kind(),
root_pipeline_id)
root_pipeline_record = db.get(root_pipeline_key)
if root_pipeline_record is None:
raise PipelineStatusError('Could not find pipeline ID "%s"' %
root_pipeline_id)
actual_root_key = _PipelineRecord.root_pipeline.get_value_for_datastore(
root_pipeline_record)
if actual_root_key != root_pipeline_key:
root_pipeline_key = actual_root_key
root_pipeline_id = root_pipeline_key.id_or_name()
root_pipeline_record = db.get(root_pipeline_key)
if not root_pipeline_record:
raise PipelineStatusError('Could not find pipeline ID "%s"' %
root_pipeline_id)
queries = {}
for model in (_PipelineRecord, _SlotRecord, _BarrierRecord, _StatusRecord):
queries[model] = model.all().filter('root_pipeline =',
root_pipeline_key).run(batch_size=1000)
found_pipeline_dict = dict((stage.key(), stage) for stage in queries[
_PipelineRecord])
found_slot_dict = dict((slot.key(), slot) for slot in queries[_SlotRecord])
found_barrier_dict = dict((barrier.key(), barrier) for barrier in
queries[_BarrierRecord])
found_status_dict = dict((status.key(), status) for status in queries[
_StatusRecord])
valid_pipeline_keys = set([root_pipeline_key])
slot_filler_dict = {}
expand_stack = [root_pipeline_record]
while expand_stack:
old_stack = expand_stack
expand_stack = []
for pipeline_record in old_stack:
for child_pipeline_key in pipeline_record.fanned_out:
child_pipeline_record = found_pipeline_dict.get(
child_pipeline_key)
if child_pipeline_record is None:
raise PipelineStatusError(
'Pipeline ID "%s" points to child ID "%s" which does not exist.'
% (pipeline_record.key().name(),
child_pipeline_key.name()))
expand_stack.append(child_pipeline_record)
valid_pipeline_keys.add(child_pipeline_key)
child_outputs = child_pipeline_record.params['output_slots']
for output_slot_key in child_outputs.itervalues():
slot_filler_dict[db.Key(output_slot_key)
] = child_pipeline_key
output = {'rootPipelineId': root_pipeline_id, 'slots': {}, 'pipelines': {}}
for pipeline_key in found_pipeline_dict.keys():
if pipeline_key not in valid_pipeline_keys:
continue
output['pipelines'][pipeline_key.name()] = _get_internal_status(
pipeline_key=pipeline_key, pipeline_dict=found_pipeline_dict,
slot_dict=found_slot_dict, barrier_dict=found_barrier_dict,
status_dict=found_status_dict)
for slot_key, filler_pipeline_key in slot_filler_dict.iteritems():
output['slots'][str(slot_key)] = _get_internal_slot(slot_key=
slot_key, filler_pipeline_key=filler_pipeline_key, slot_dict=
found_slot_dict)
return output
|
get_status_tree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root_pipeline_id):\n root_pipeline_key = db.Key.from_path(_PipelineRecord.kind(),\n root_pipeline_id)\n root_pipeline_record = db.get(root_pipeline_key)\n if root_pipeline_record is None:\n raise PipelineStatusError('Could not find pipeline ID \"%s\"' %\n root_pipeline_id)\n actual_root_key = _PipelineRecord.root_pipeline.get_value_for_datastore(\n root_pipeline_record)\n if actual_root_key != root_pipeline_key:\n root_pipeline_key = actual_root_key\n root_pipeline_id = root_pipeline_key.id_or_name()\n root_pipeline_record = db.get(root_pipeline_key)\n if not root_pipeline_record:\n raise PipelineStatusError('Could not find pipeline ID \"%s\"' %\n root_pipeline_id)\n queries = {}\n for model in (_PipelineRecord, _SlotRecord, _BarrierRecord, _StatusRecord):\n queries[model] = model.all().filter('root_pipeline =',\n root_pipeline_key).run(batch_size=1000)\n found_pipeline_dict = dict((stage.key(), stage) for stage in queries[\n _PipelineRecord])\n found_slot_dict = dict((slot.key(), slot) for slot in queries[_SlotRecord])\n found_barrier_dict = dict((barrier.key(), barrier) for barrier in\n queries[_BarrierRecord])\n found_status_dict = dict((status.key(), status) for status in queries[\n _StatusRecord])\n valid_pipeline_keys = set([root_pipeline_key])\n slot_filler_dict = {}\n expand_stack = [root_pipeline_record]\n while expand_stack:\n old_stack = expand_stack\n expand_stack = []\n for pipeline_record in old_stack:\n for child_pipeline_key in pipeline_record.fanned_out:\n child_pipeline_record = found_pipeline_dict.get(\n child_pipeline_key)\n if child_pipeline_record is None:\n raise PipelineStatusError(\n 'Pipeline ID \"%s\" points to child ID \"%s\" which does not exist.'\n % (pipeline_record.key().name(),\n child_pipeline_key.name()))\n expand_stack.append(child_pipeline_record)\n valid_pipeline_keys.add(child_pipeline_key)\n child_outputs = child_pipeline_record.params['output_slots']\n for output_slot_key in child_outputs.itervalues():\n slot_filler_dict[db.Key(output_slot_key)\n ] = child_pipeline_key\n output = {'rootPipelineId': root_pipeline_id, 'slots': {}, 'pipelines': {}}\n for pipeline_key in found_pipeline_dict.keys():\n if pipeline_key not in valid_pipeline_keys:\n continue\n output['pipelines'][pipeline_key.name()] = _get_internal_status(\n pipeline_key=pipeline_key, pipeline_dict=found_pipeline_dict,\n slot_dict=found_slot_dict, barrier_dict=found_barrier_dict,\n status_dict=found_status_dict)\n for slot_key, filler_pipeline_key in slot_filler_dict.iteritems():\n output['slots'][str(slot_key)] = _get_internal_slot(slot_key=\n slot_key, filler_pipeline_key=filler_pipeline_key, slot_dict=\n found_slot_dict)\n return output\n",
"role": "user"
},
{
"content": "get_status_tree",
"role": "assistant"
}
] |
def x():
class_path_set = set()
for cls in _PipelineMeta._all_classes:
if cls.class_path is not None:
class_path_set.add(cls.class_path)
return sorted(class_path_set)
|
get_pipeline_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n class_path_set = set()\n for cls in _PipelineMeta._all_classes:\n if cls.class_path is not None:\n class_path_set.add(cls.class_path)\n return sorted(class_path_set)\n",
"role": "user"
},
{
"content": "get_pipeline_names",
"role": "assistant"
}
] |
def x(prefix='.*'):
return [(prefix + '/output', _BarrierHandler), (prefix + '/run',
_PipelineHandler), (prefix + '/finalized', _PipelineHandler), (
prefix + '/cleanup', _CleanupHandler), (prefix + '/abort',
_PipelineHandler), (prefix + '/fanout', _FanoutHandler), (prefix +
'/fanout_abort', _FanoutAbortHandler), (prefix + '/callback',
_CallbackHandler), (prefix + '/rpc/tree', status_ui.
_TreeStatusHandler), (prefix + '/rpc/class_paths', status_ui.
_ClassPathListHandler), (prefix + '/rpc/list', status_ui.
_RootListHandler), (prefix + '(/.+)', status_ui._StatusUiHandler)]
|
create_handlers_map
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prefix='.*'):\n return [(prefix + '/output', _BarrierHandler), (prefix + '/run',\n _PipelineHandler), (prefix + '/finalized', _PipelineHandler), (\n prefix + '/cleanup', _CleanupHandler), (prefix + '/abort',\n _PipelineHandler), (prefix + '/fanout', _FanoutHandler), (prefix +\n '/fanout_abort', _FanoutAbortHandler), (prefix + '/callback',\n _CallbackHandler), (prefix + '/rpc/tree', status_ui.\n _TreeStatusHandler), (prefix + '/rpc/class_paths', status_ui.\n _ClassPathListHandler), (prefix + '/rpc/list', status_ui.\n _RootListHandler), (prefix + '(/.+)', status_ui._StatusUiHandler)]\n",
"role": "user"
},
{
"content": "create_handlers_map",
"role": "assistant"
}
] |
def x(self):
if not self.filled:
raise SlotNotFilledError(
'Slot with name "%s", key "%s" not yet filled.' % (self.name,
self.key))
return self._value
|
value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.filled:\n raise SlotNotFilledError(\n 'Slot with name \"%s\", key \"%s\" not yet filled.' % (self.name,\n self.key))\n return self._value\n",
"role": "user"
},
{
"content": "value",
"role": "assistant"
}
] |
def x(self):
if not self.filled:
raise SlotNotFilledError(
'Slot with name "%s", key "%s" not yet filled.' % (self.name,
self.key))
return self._filler_pipeline_key.name()
|
filler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.filled:\n raise SlotNotFilledError(\n 'Slot with name \"%s\", key \"%s\" not yet filled.' % (self.name,\n self.key))\n return self._filler_pipeline_key.name()\n",
"role": "user"
},
{
"content": "filler",
"role": "assistant"
}
] |
def x(self):
if not self.filled:
raise SlotNotFilledError(
'Slot with name "%s", key "%s" not yet filled.' % (self.name,
self.key))
return self._fill_datetime
|
fill_datetime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.filled:\n raise SlotNotFilledError(\n 'Slot with name \"%s\", key \"%s\" not yet filled.' % (self.name,\n self.key))\n return self._fill_datetime\n",
"role": "user"
},
{
"content": "fill_datetime",
"role": "assistant"
}
] |
def x(self, slot_record):
if slot_record.status == _SlotRecord.FILLED:
self.filled = True
self._filler_pipeline_key = _SlotRecord.filler.get_value_for_datastore(
slot_record)
self._fill_datetime = slot_record.fill_time
self._value = slot_record.value
|
set_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slot_record):\n if slot_record.status == _SlotRecord.FILLED:\n self.filled = True\n self._filler_pipeline_key = _SlotRecord.filler.get_value_for_datastore(\n slot_record)\n self._fill_datetime = slot_record.fill_time\n self._value = slot_record.value\n",
"role": "user"
},
{
"content": "set_value",
"role": "assistant"
}
] |
def x(self, pipeline_name, already_defined, resolve_outputs=False):
for name, slot_key in already_defined.iteritems():
if not isinstance(slot_key, db.Key):
slot_key = db.Key(slot_key)
slot = self._output_dict.get(name)
if slot is None:
if self._strict:
raise UnexpectedPipelineError(
'Inherited output named "%s" must be filled but not declared for pipeline class "%s"'
% (name, pipeline_name))
else:
self._output_dict[name] = Slot(name=name, slot_key=slot_key)
else:
slot.key = slot_key
slot._exists = True
if resolve_outputs:
slot_key_dict = dict((s.key, s) for s in self._output_dict.itervalues()
)
all_slots = db.get(slot_key_dict.keys())
for slot, slot_record in zip(slot_key_dict.itervalues(), all_slots):
if slot_record is None:
raise UnexpectedPipelineError(
'Inherited output named "%s" for pipeline class "%s" is missing its Slot in the datastore: "%s"'
% (slot.name, pipeline_name, slot.key))
slot = slot_key_dict[slot_record.key()]
slot._set_value(slot_record)
|
inherit_outputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipeline_name, already_defined, resolve_outputs=False):\n for name, slot_key in already_defined.iteritems():\n if not isinstance(slot_key, db.Key):\n slot_key = db.Key(slot_key)\n slot = self._output_dict.get(name)\n if slot is None:\n if self._strict:\n raise UnexpectedPipelineError(\n 'Inherited output named \"%s\" must be filled but not declared for pipeline class \"%s\"'\n % (name, pipeline_name))\n else:\n self._output_dict[name] = Slot(name=name, slot_key=slot_key)\n else:\n slot.key = slot_key\n slot._exists = True\n if resolve_outputs:\n slot_key_dict = dict((s.key, s) for s in self._output_dict.itervalues()\n )\n all_slots = db.get(slot_key_dict.keys())\n for slot, slot_record in zip(slot_key_dict.itervalues(), all_slots):\n if slot_record is None:\n raise UnexpectedPipelineError(\n 'Inherited output named \"%s\" for pipeline class \"%s\" is missing its Slot in the datastore: \"%s\"'\n % (slot.name, pipeline_name, slot.key))\n slot = slot_key_dict[slot_record.key()]\n slot._set_value(slot_record)\n",
"role": "user"
},
{
"content": "inherit_outputs",
"role": "assistant"
}
] |
def x(self, name_or_slot, value):
if isinstance(name_or_slot, basestring):
slot = getattr(self.outputs, name_or_slot)
elif isinstance(name_or_slot, Slot):
slot = name_or_slot
else:
raise UnexpectedPipelineError(
'Could not fill invalid output name: %r' % name_or_slot)
if not slot._exists:
raise SlotNotDeclaredError(
'Cannot fill output with name "%s" that was just declared within the Pipeline context.'
% slot.name)
self._context.fill_slot(self._pipeline_key, slot, value)
|
fill
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name_or_slot, value):\n if isinstance(name_or_slot, basestring):\n slot = getattr(self.outputs, name_or_slot)\n elif isinstance(name_or_slot, Slot):\n slot = name_or_slot\n else:\n raise UnexpectedPipelineError(\n 'Could not fill invalid output name: %r' % name_or_slot)\n if not slot._exists:\n raise SlotNotDeclaredError(\n 'Cannot fill output with name \"%s\" that was just declared within the Pipeline context.'\n % slot.name)\n self._context.fill_slot(self._pipeline_key, slot, value)\n",
"role": "user"
},
{
"content": "fill",
"role": "assistant"
}
] |
def x(self, sender=None):
status = 'successful'
if self.was_aborted:
status = 'aborted'
app_id = os.environ['APPLICATION_ID']
shard_index = app_id.find('~')
if shard_index != -1:
app_id = app_id[shard_index + 1:]
param_dict = {'status': status, 'app_id': app_id, 'class_path': self.
_class_path, 'pipeline_id': self.root_pipeline_id, 'base_path':
'%s.appspot.com%s' % (app_id, self.base_path)}
subject = (
'Pipeline %(status)s: App "%(app_id)s", %(class_path)s#%(pipeline_id)s'
% param_dict)
body = (
"""View the pipeline results here:
http://%(base_path)s/status?root=%(pipeline_id)s
Thanks,
The Pipeline API
"""
% param_dict)
html = (
"""<html><body>
<p>View the pipeline results here:</p>
<p><a href="http://%(base_path)s/status?root=%(pipeline_id)s"
>http://%(base_path)s/status?root=%(pipeline_id)s</a></p>
<p>
Thanks,
<br>
The Pipeline API
</p>
</body></html>
"""
% param_dict)
if sender is None:
sender = '%s@%s.appspotmail.com' % (app_id, app_id)
try:
self._send_mail(sender, subject, body, html=html)
except (mail.InvalidSenderError, mail.InvalidEmailError):
logging.warning(
'Could not send result email for root pipeline ID "%s" from sender "%s"'
, self.root_pipeline_id, sender)
|
send_result_email
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender=None):\n status = 'successful'\n if self.was_aborted:\n status = 'aborted'\n app_id = os.environ['APPLICATION_ID']\n shard_index = app_id.find('~')\n if shard_index != -1:\n app_id = app_id[shard_index + 1:]\n param_dict = {'status': status, 'app_id': app_id, 'class_path': self.\n _class_path, 'pipeline_id': self.root_pipeline_id, 'base_path': \n '%s.appspot.com%s' % (app_id, self.base_path)}\n subject = (\n 'Pipeline %(status)s: App \"%(app_id)s\", %(class_path)s#%(pipeline_id)s'\n % param_dict)\n body = (\n \"\"\"View the pipeline results here:\n\nhttp://%(base_path)s/status?root=%(pipeline_id)s\n\nThanks,\n\nThe Pipeline API\n\"\"\"\n % param_dict)\n html = (\n \"\"\"<html><body>\n<p>View the pipeline results here:</p>\n\n<p><a href=\"http://%(base_path)s/status?root=%(pipeline_id)s\"\n>http://%(base_path)s/status?root=%(pipeline_id)s</a></p>\n\n<p>\nThanks,\n<br>\nThe Pipeline API\n</p>\n</body></html>\n\"\"\"\n % param_dict)\n if sender is None:\n sender = '%s@%s.appspotmail.com' % (app_id, app_id)\n try:\n self._send_mail(sender, subject, body, html=html)\n except (mail.InvalidSenderError, mail.InvalidEmailError):\n logging.warning(\n 'Could not send result email for root pipeline ID \"%s\" from sender \"%s\"'\n , self.root_pipeline_id, sender)\n",
"role": "user"
},
{
"content": "send_result_email",
"role": "assistant"
}
] |
def x(self):
if self._root_pipeline_key is None:
raise UnexpectedPipelineError(
'Could not cleanup Pipeline with unknown root pipeline ID.')
if not self.is_root:
return
task = taskqueue.Task(params=dict(root_pipeline_key=self.
_root_pipeline_key), url=self.base_path + '/cleanup', headers={
'X-Ae-Pipeline-Key': self._root_pipeline_key})
taskqueue.Queue(self.queue_name).add(task)
|
cleanup
|
[
{
"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._root_pipeline_key is None:\n raise UnexpectedPipelineError(\n 'Could not cleanup Pipeline with unknown root pipeline ID.')\n if not self.is_root:\n return\n task = taskqueue.Task(params=dict(root_pipeline_key=self.\n _root_pipeline_key), url=self.base_path + '/cleanup', headers={\n 'X-Ae-Pipeline-Key': self._root_pipeline_key})\n taskqueue.Queue(self.queue_name).add(task)\n",
"role": "user"
},
{
"content": "cleanup",
"role": "assistant"
}
] |
def x(self, **kwargs):
if _TEST_MODE:
logging.info('Setting runtime parameters for %s#%s: %r', self, self
.pipeline_id, kwargs)
return self
if self.pipeline_id is not None:
raise UnexpectedPipelineError(
'May only call with_params() on a Pipeline that has not yet been scheduled for execution.'
)
ALLOWED = 'backoff_seconds', 'backoff_factor', 'max_attempts', 'target'
for name, value in kwargs.iteritems():
if name not in ALLOWED:
raise TypeError('Unexpected keyword: %s=%r' % (name, value))
setattr(self, name, value)
return self
|
with_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if _TEST_MODE:\n logging.info('Setting runtime parameters for %s#%s: %r', self, self\n .pipeline_id, kwargs)\n return self\n if self.pipeline_id is not None:\n raise UnexpectedPipelineError(\n 'May only call with_params() on a Pipeline that has not yet been scheduled for execution.'\n )\n ALLOWED = 'backoff_seconds', 'backoff_factor', 'max_attempts', 'target'\n for name, value in kwargs.iteritems():\n if name not in ALLOWED:\n raise TypeError('Unexpected keyword: %s=%r' % (name, value))\n setattr(self, name, value)\n return self\n",
"role": "user"
},
{
"content": "with_params",
"role": "assistant"
}
] |
def x(cls, module_dict=sys.modules):
found = cls.__dict__.get('_class_path')
if found is not None:
return
if cls is Pipeline:
return
class_path = '%s.%s' % (cls.__module__, cls.__name__)
if cls.__module__ == '__main__':
for name, module in module_dict.items():
if name == '__main__':
continue
found = getattr(module, cls.__name__, None)
if found is cls:
class_path = '%s.%s' % (name, cls.__name__)
break
cls._class_path = class_path
|
set_class_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, module_dict=sys.modules):\n found = cls.__dict__.get('_class_path')\n if found is not None:\n return\n if cls is Pipeline:\n return\n class_path = '%s.%s' % (cls.__module__, cls.__name__)\n if cls.__module__ == '__main__':\n for name, module in module_dict.items():\n if name == '__main__':\n continue\n found = getattr(module, cls.__name__, None)\n if found is cls:\n class_path = '%s.%s' % (name, cls.__name__)\n break\n cls._class_path = class_path\n",
"role": "user"
},
{
"content": "set_class_path",
"role": "assistant"
}
] |
def x(self, context, pipeline_key, root_pipeline_key, outputs, result_status):
self._context = context
self._pipeline_key = pipeline_key
self._root_pipeline_key = root_pipeline_key
self._result_status = result_status
self.outputs = outputs
|
set_values_internal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, pipeline_key, root_pipeline_key, outputs, result_status):\n self._context = context\n self._pipeline_key = pipeline_key\n self._root_pipeline_key = root_pipeline_key\n self._result_status = result_status\n self.outputs = outputs\n",
"role": "user"
},
{
"content": "set_values_internal",
"role": "assistant"
}
] |
def x(self, kwargs):
logging.debug('Callback %s(*%s, **%s)#%s with params: %r', self.
_class_path, _short_repr(self.args), _short_repr(self.kwargs), self
._pipeline_key.name(), kwargs)
return self.callback(**kwargs)
|
callback_internal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kwargs):\n logging.debug('Callback %s(*%s, **%s)#%s with params: %r', self.\n _class_path, _short_repr(self.args), _short_repr(self.kwargs), self\n ._pipeline_key.name(), kwargs)\n return self.callback(**kwargs)\n",
"role": "user"
},
{
"content": "callback_internal",
"role": "assistant"
}
] |
def x(self, context, pipeline_key, root_pipeline_key, caller_output):
self._set_values_internal(context, pipeline_key, root_pipeline_key,
caller_output, _PipelineRecord.RUN)
logging.debug('Running %s(*%s, **%s)#%s', self._class_path, _short_repr
(self.args), _short_repr(self.kwargs), self._pipeline_key.name())
return self.run(*self.args, **self.kwargs)
|
run_internal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, pipeline_key, root_pipeline_key, caller_output):\n self._set_values_internal(context, pipeline_key, root_pipeline_key,\n caller_output, _PipelineRecord.RUN)\n logging.debug('Running %s(*%s, **%s)#%s', self._class_path, _short_repr\n (self.args), _short_repr(self.kwargs), self._pipeline_key.name())\n return self.run(*self.args, **self.kwargs)\n",
"role": "user"
},
{
"content": "run_internal",
"role": "assistant"
}
] |
def x(self, context, pipeline_key, root_pipeline_key, caller_output, aborted):
result_status = _PipelineRecord.RUN
if aborted:
result_status = _PipelineRecord.ABORTED
self._set_values_internal(context, pipeline_key, root_pipeline_key,
caller_output, result_status)
logging.debug('Finalizing %s(*%r, **%r)#%s', self._class_path,
_short_repr(self.args), _short_repr(self.kwargs), self.
_pipeline_key.name())
try:
self.finalized()
except NotImplementedError:
pass
|
finalized_internal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, pipeline_key, root_pipeline_key, caller_output, aborted):\n result_status = _PipelineRecord.RUN\n if aborted:\n result_status = _PipelineRecord.ABORTED\n self._set_values_internal(context, pipeline_key, root_pipeline_key,\n caller_output, result_status)\n logging.debug('Finalizing %s(*%r, **%r)#%s', self._class_path,\n _short_repr(self.args), _short_repr(self.kwargs), self.\n _pipeline_key.name())\n try:\n self.finalized()\n except NotImplementedError:\n pass\n",
"role": "user"
},
{
"content": "finalized_internal",
"role": "assistant"
}
] |
def x(cls, future):
if cls._local._activated:
cls._local._in_order_futures.add(future)
|
add_future
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, future):\n if cls._local._activated:\n cls._local._in_order_futures.add(future)\n",
"role": "user"
},
{
"content": "add_future",
"role": "assistant"
}
] |
def x(cls):
if not hasattr(cls._local, '_in_order_futures'):
cls._local._in_order_futures = set()
cls._local._activated = False
|
thread_init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if not hasattr(cls._local, '_in_order_futures'):\n cls._local._in_order_futures = set()\n cls._local._activated = False\n",
"role": "user"
},
{
"content": "thread_init",
"role": "assistant"
}
] |
def x(cls, environ=os.environ):
base_path, unused = (environ['PATH_INFO'].rsplit('/', 1) + [''])[:2]
return cls(environ['HTTP_X_APPENGINE_TASKNAME'], environ[
'HTTP_X_APPENGINE_QUEUENAME'], base_path)
|
from_environ
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, environ=os.environ):\n base_path, unused = (environ['PATH_INFO'].rsplit('/', 1) + [''])[:2]\n return cls(environ['HTTP_X_APPENGINE_TASKNAME'], environ[\n 'HTTP_X_APPENGINE_QUEUENAME'], base_path)\n",
"role": "user"
},
{
"content": "from_environ",
"role": "assistant"
}
] |
def x(self, filler_pipeline_key, slot, value):
if not isinstance(filler_pipeline_key, db.Key):
filler_pipeline_key = db.Key(filler_pipeline_key)
if _TEST_MODE:
slot._set_value_test(filler_pipeline_key, value)
else:
encoded_value = json.dumps(value, sort_keys=True, cls=mr_util.
JsonEncoder)
value_text = None
value_blob = None
if len(encoded_value) <= _MAX_JSON_SIZE:
value_text = db.Text(encoded_value)
else:
value_blob = _write_json_blob(encoded_value,
filler_pipeline_key.name())
def x():
slot_record = db.get(slot.key)
if slot_record is None:
raise UnexpectedPipelineError(
'Tried to fill missing slot "%s" by pipeline ID "%s" with value: %r'
% (slot.key, filler_pipeline_key.name(), value))
slot_record.filler = filler_pipeline_key
slot_record.value_text = value_text
slot_record.value_blob = value_blob
slot_record.status = _SlotRecord.FILLED
slot_record.fill_time = self._gettime()
slot_record.put()
task = taskqueue.Task(url=self.barrier_handler_path, params=
dict(slot_key=slot.key, use_barrier_indexes=True), headers=
{'X-Ae-Slot-Key': slot.key, 'X-Ae-Filler-Pipeline-Key':
filler_pipeline_key})
task.add(queue_name=self.queue_name, transactional=True)
db.run_in_transaction_options(db.create_transaction_options(
propagation=db.ALLOWED), txn)
self.session_filled_output_names.add(slot.name)
|
fill_slot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filler_pipeline_key, slot, value):\n if not isinstance(filler_pipeline_key, db.Key):\n filler_pipeline_key = db.Key(filler_pipeline_key)\n if _TEST_MODE:\n slot._set_value_test(filler_pipeline_key, value)\n else:\n encoded_value = json.dumps(value, sort_keys=True, cls=mr_util.\n JsonEncoder)\n value_text = None\n value_blob = None\n if len(encoded_value) <= _MAX_JSON_SIZE:\n value_text = db.Text(encoded_value)\n else:\n value_blob = _write_json_blob(encoded_value,\n filler_pipeline_key.name())\n\n def x():\n slot_record = db.get(slot.key)\n if slot_record is None:\n raise UnexpectedPipelineError(\n 'Tried to fill missing slot \"%s\" by pipeline ID \"%s\" with value: %r'\n % (slot.key, filler_pipeline_key.name(), value))\n slot_record.filler = filler_pipeline_key\n slot_record.value_text = value_text\n slot_record.value_blob = value_blob\n slot_record.status = _SlotRecord.FILLED\n slot_record.fill_time = self._gettime()\n slot_record.put()\n task = taskqueue.Task(url=self.barrier_handler_path, params=\n dict(slot_key=slot.key, use_barrier_indexes=True), headers=\n {'X-Ae-Slot-Key': slot.key, 'X-Ae-Filler-Pipeline-Key':\n filler_pipeline_key})\n task.add(queue_name=self.queue_name, transactional=True)\n db.run_in_transaction_options(db.create_transaction_options(\n propagation=db.ALLOWED), txn)\n self.session_filled_output_names.add(slot.name)\n",
"role": "user"
},
{
"content": "fill_slot",
"role": "assistant"
}
] |
def x(self, slot_key, cursor, use_barrier_indexes, max_to_notify=
_MAX_BARRIERS_TO_NOTIFY):
if not isinstance(slot_key, db.Key):
slot_key = db.Key(slot_key)
logging.debug('Notifying slot %r', slot_key)
if use_barrier_indexes:
query = _BarrierIndex.all(cursor=cursor, keys_only=True).ancestor(
slot_key)
barrier_index_list = query.fetch(max_to_notify)
barrier_key_list = [_BarrierIndex.to_barrier_key(key) for key in
barrier_index_list]
barriers = db.get(barrier_key_list)
results = []
for barrier_key, barrier in zip(barrier_key_list, barriers):
if barrier is None:
logging.debug(
'Ignoring that Barrier "%r" is missing, relies on Slot "%r"'
, barrier_key, slot_key)
else:
results.append(barrier)
else:
query = _BarrierRecord.all(cursor=cursor).filter('blocking_slots =',
slot_key)
results = query.fetch(max_to_notify)
blocking_slot_keys = []
for barrier in results:
blocking_slot_keys.extend(barrier.blocking_slots)
blocking_slot_dict = {}
for slot_record in db.get(blocking_slot_keys):
if slot_record is None:
continue
blocking_slot_dict[slot_record.key()] = slot_record
task_list = []
updated_barriers = []
for barrier in results:
ready_slots = []
for blocking_slot_key in barrier.blocking_slots:
slot_record = blocking_slot_dict.get(blocking_slot_key)
if slot_record is None:
raise UnexpectedPipelineError(
'Barrier "%r" relies on Slot "%r" which is missing.' %
(barrier.key(), blocking_slot_key))
if slot_record.status == _SlotRecord.FILLED:
ready_slots.append(blocking_slot_key)
pending_slots = set(barrier.blocking_slots) - set(ready_slots)
if not pending_slots:
if barrier.status != _BarrierRecord.FIRED:
barrier.status = _BarrierRecord.FIRED
barrier.trigger_time = self._gettime()
updated_barriers.append(barrier)
purpose = barrier.key().name()
if purpose == _BarrierRecord.START:
path = self.pipeline_handler_path
countdown = None
else:
path = self.finalized_handler_path
countdown = 1
pipeline_key = _BarrierRecord.target.get_value_for_datastore(
barrier)
pipeline_record = db.get(pipeline_key)
logging.debug('Firing barrier %r', barrier.key())
task_list.append(taskqueue.Task(url=path, countdown=countdown,
name='ae-barrier-fire-%s-%s' % (pipeline_key.name(),
purpose), params=dict(pipeline_key=pipeline_key, purpose=
purpose), headers={'X-Ae-Pipeline-Key': pipeline_key},
target=pipeline_record.params['target']))
else:
logging.debug('Not firing barrier %r, Waiting for slots: %r',
barrier.key(), pending_slots)
if updated_barriers:
db.put(updated_barriers)
if len(results) == max_to_notify:
the_match = re.match('(.*)-ae-barrier-notify-([0-9]+)', self.task_name)
if the_match:
prefix = the_match.group(1)
end = int(the_match.group(2)) + 1
else:
prefix = self.task_name
end = 0
task_list.append(taskqueue.Task(name='%s-ae-barrier-notify-%d' % (
prefix, end), url=self.barrier_handler_path, params=dict(
slot_key=slot_key, cursor=query.cursor(), use_barrier_indexes=
use_barrier_indexes)))
if task_list:
try:
taskqueue.Queue(self.queue_name).add(task_list)
except (taskqueue.TombstonedTaskError, taskqueue.TaskAlreadyExistsError
):
pass
|
notify_barriers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slot_key, cursor, use_barrier_indexes, max_to_notify=\n _MAX_BARRIERS_TO_NOTIFY):\n if not isinstance(slot_key, db.Key):\n slot_key = db.Key(slot_key)\n logging.debug('Notifying slot %r', slot_key)\n if use_barrier_indexes:\n query = _BarrierIndex.all(cursor=cursor, keys_only=True).ancestor(\n slot_key)\n barrier_index_list = query.fetch(max_to_notify)\n barrier_key_list = [_BarrierIndex.to_barrier_key(key) for key in\n barrier_index_list]\n barriers = db.get(barrier_key_list)\n results = []\n for barrier_key, barrier in zip(barrier_key_list, barriers):\n if barrier is None:\n logging.debug(\n 'Ignoring that Barrier \"%r\" is missing, relies on Slot \"%r\"'\n , barrier_key, slot_key)\n else:\n results.append(barrier)\n else:\n query = _BarrierRecord.all(cursor=cursor).filter('blocking_slots =',\n slot_key)\n results = query.fetch(max_to_notify)\n blocking_slot_keys = []\n for barrier in results:\n blocking_slot_keys.extend(barrier.blocking_slots)\n blocking_slot_dict = {}\n for slot_record in db.get(blocking_slot_keys):\n if slot_record is None:\n continue\n blocking_slot_dict[slot_record.key()] = slot_record\n task_list = []\n updated_barriers = []\n for barrier in results:\n ready_slots = []\n for blocking_slot_key in barrier.blocking_slots:\n slot_record = blocking_slot_dict.get(blocking_slot_key)\n if slot_record is None:\n raise UnexpectedPipelineError(\n 'Barrier \"%r\" relies on Slot \"%r\" which is missing.' %\n (barrier.key(), blocking_slot_key))\n if slot_record.status == _SlotRecord.FILLED:\n ready_slots.append(blocking_slot_key)\n pending_slots = set(barrier.blocking_slots) - set(ready_slots)\n if not pending_slots:\n if barrier.status != _BarrierRecord.FIRED:\n barrier.status = _BarrierRecord.FIRED\n barrier.trigger_time = self._gettime()\n updated_barriers.append(barrier)\n purpose = barrier.key().name()\n if purpose == _BarrierRecord.START:\n path = self.pipeline_handler_path\n countdown = None\n else:\n path = self.finalized_handler_path\n countdown = 1\n pipeline_key = _BarrierRecord.target.get_value_for_datastore(\n barrier)\n pipeline_record = db.get(pipeline_key)\n logging.debug('Firing barrier %r', barrier.key())\n task_list.append(taskqueue.Task(url=path, countdown=countdown,\n name='ae-barrier-fire-%s-%s' % (pipeline_key.name(),\n purpose), params=dict(pipeline_key=pipeline_key, purpose=\n purpose), headers={'X-Ae-Pipeline-Key': pipeline_key},\n target=pipeline_record.params['target']))\n else:\n logging.debug('Not firing barrier %r, Waiting for slots: %r',\n barrier.key(), pending_slots)\n if updated_barriers:\n db.put(updated_barriers)\n if len(results) == max_to_notify:\n the_match = re.match('(.*)-ae-barrier-notify-([0-9]+)', self.task_name)\n if the_match:\n prefix = the_match.group(1)\n end = int(the_match.group(2)) + 1\n else:\n prefix = self.task_name\n end = 0\n task_list.append(taskqueue.Task(name='%s-ae-barrier-notify-%d' % (\n prefix, end), url=self.barrier_handler_path, params=dict(\n slot_key=slot_key, cursor=query.cursor(), use_barrier_indexes=\n use_barrier_indexes)))\n if task_list:\n try:\n taskqueue.Queue(self.queue_name).add(task_list)\n except (taskqueue.TombstonedTaskError, taskqueue.TaskAlreadyExistsError\n ):\n pass\n",
"role": "user"
},
{
"content": "notify_barriers",
"role": "assistant"
}
] |
def x(self, root_pipeline_key, abort_message):
def x():
pipeline_record = db.get(root_pipeline_key)
if pipeline_record is None:
logging.warning(
'Tried to abort root pipeline ID "%s" but it does not exist.',
root_pipeline_key.name())
raise db.Rollback()
if pipeline_record.status == _PipelineRecord.ABORTED:
logging.warning(
'Tried to abort root pipeline ID "%s"; already in state: %s',
root_pipeline_key.name(), pipeline_record.status)
raise db.Rollback()
if pipeline_record.abort_requested:
logging.warning(
'Tried to abort root pipeline ID "%s"; abort signal already sent.'
, root_pipeline_key.name())
raise db.Rollback()
pipeline_record.abort_requested = True
pipeline_record.abort_message = abort_message
pipeline_record.put()
task = taskqueue.Task(url=self.fanout_abort_handler_path, params=
dict(root_pipeline_key=root_pipeline_key))
task.add(queue_name=self.queue_name, transactional=True)
return True
return db.run_in_transaction(txn)
|
begin_abort
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root_pipeline_key, abort_message):\n\n def x():\n pipeline_record = db.get(root_pipeline_key)\n if pipeline_record is None:\n logging.warning(\n 'Tried to abort root pipeline ID \"%s\" but it does not exist.',\n root_pipeline_key.name())\n raise db.Rollback()\n if pipeline_record.status == _PipelineRecord.ABORTED:\n logging.warning(\n 'Tried to abort root pipeline ID \"%s\"; already in state: %s',\n root_pipeline_key.name(), pipeline_record.status)\n raise db.Rollback()\n if pipeline_record.abort_requested:\n logging.warning(\n 'Tried to abort root pipeline ID \"%s\"; abort signal already sent.'\n , root_pipeline_key.name())\n raise db.Rollback()\n pipeline_record.abort_requested = True\n pipeline_record.abort_message = abort_message\n pipeline_record.put()\n task = taskqueue.Task(url=self.fanout_abort_handler_path, params=\n dict(root_pipeline_key=root_pipeline_key))\n task.add(queue_name=self.queue_name, transactional=True)\n return True\n return db.run_in_transaction(txn)\n",
"role": "user"
},
{
"content": "begin_abort",
"role": "assistant"
}
] |
def x(self, root_pipeline_key, cursor=None, max_to_notify=_MAX_ABORTS_TO_BEGIN
):
if not isinstance(root_pipeline_key, db.Key):
root_pipeline_key = db.Key(root_pipeline_key)
query = _PipelineRecord.all(cursor=cursor).filter('root_pipeline =',
root_pipeline_key)
results = query.fetch(max_to_notify)
task_list = []
for pipeline_record in results:
if pipeline_record.status not in (_PipelineRecord.RUN,
_PipelineRecord.WAITING):
continue
pipeline_key = pipeline_record.key()
task_list.append(taskqueue.Task(name='%s-%s-abort' % (self.
task_name, pipeline_key.name()), url=self.abort_handler_path,
params=dict(pipeline_key=pipeline_key, purpose=_BarrierRecord.
ABORT), headers={'X-Ae-Pipeline-Key': pipeline_key}))
if len(results) == max_to_notify:
the_match = re.match('(.*)-([0-9]+)', self.task_name)
if the_match:
prefix = the_match.group(1)
end = int(the_match.group(2)) + 1
else:
prefix = self.task_name
end = 0
task_list.append(taskqueue.Task(name='%s-%d' % (prefix, end), url=
self.fanout_abort_handler_path, params=dict(root_pipeline_key=
root_pipeline_key, cursor=query.cursor())))
if task_list:
try:
taskqueue.Queue(self.queue_name).add(task_list)
except (taskqueue.TombstonedTaskError, taskqueue.TaskAlreadyExistsError
):
pass
|
continue_abort
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root_pipeline_key, cursor=None, max_to_notify=_MAX_ABORTS_TO_BEGIN\n ):\n if not isinstance(root_pipeline_key, db.Key):\n root_pipeline_key = db.Key(root_pipeline_key)\n query = _PipelineRecord.all(cursor=cursor).filter('root_pipeline =',\n root_pipeline_key)\n results = query.fetch(max_to_notify)\n task_list = []\n for pipeline_record in results:\n if pipeline_record.status not in (_PipelineRecord.RUN,\n _PipelineRecord.WAITING):\n continue\n pipeline_key = pipeline_record.key()\n task_list.append(taskqueue.Task(name='%s-%s-abort' % (self.\n task_name, pipeline_key.name()), url=self.abort_handler_path,\n params=dict(pipeline_key=pipeline_key, purpose=_BarrierRecord.\n ABORT), headers={'X-Ae-Pipeline-Key': pipeline_key}))\n if len(results) == max_to_notify:\n the_match = re.match('(.*)-([0-9]+)', self.task_name)\n if the_match:\n prefix = the_match.group(1)\n end = int(the_match.group(2)) + 1\n else:\n prefix = self.task_name\n end = 0\n task_list.append(taskqueue.Task(name='%s-%d' % (prefix, end), url=\n self.fanout_abort_handler_path, params=dict(root_pipeline_key=\n root_pipeline_key, cursor=query.cursor())))\n if task_list:\n try:\n taskqueue.Queue(self.queue_name).add(task_list)\n except (taskqueue.TombstonedTaskError, taskqueue.TaskAlreadyExistsError\n ):\n pass\n",
"role": "user"
},
{
"content": "continue_abort",
"role": "assistant"
}
] |
def x(self, pipeline, return_task=True, countdown=None, eta=None):
for name, slot in pipeline.outputs._output_dict.iteritems():
slot.key = db.Key.from_path(*slot.key.to_path(), **dict(parent=
pipeline._pipeline_key))
_, output_slots, params_text, params_blob = _generate_args(pipeline,
pipeline.outputs, self.queue_name, self.base_path)
@db.transactional(propagation=db.INDEPENDENT)
def x():
pipeline_record = db.get(pipeline._pipeline_key)
if pipeline_record is not None:
raise PipelineExistsError(
'Pipeline with idempotence key "%s" already exists; params=%s'
% (pipeline._pipeline_key.name(), _short_repr(
pipeline_record.params)))
entities_to_put = []
for name, slot in pipeline.outputs._output_dict.iteritems():
entities_to_put.append(_SlotRecord(key=slot.key, root_pipeline=
pipeline._pipeline_key))
entities_to_put.append(_PipelineRecord(key=pipeline._pipeline_key,
root_pipeline=pipeline._pipeline_key, is_root_pipeline=True,
params=params_text, params_blob=params_blob, start_time=self.
_gettime(), class_path=pipeline._class_path, max_attempts=
pipeline.max_attempts))
entities_to_put.extend(_PipelineContext._create_barrier_entities(
pipeline._pipeline_key, pipeline._pipeline_key, _BarrierRecord.
FINALIZE, output_slots))
db.put(entities_to_put)
task = taskqueue.Task(url=self.pipeline_handler_path, params=dict(
pipeline_key=pipeline._pipeline_key), headers={
'X-Ae-Pipeline-Key': pipeline._pipeline_key}, target=pipeline.
target, countdown=countdown, eta=eta)
if return_task:
return task
task.add(queue_name=self.queue_name, transactional=True)
task = txn()
for output_slot in pipeline.outputs._output_dict.itervalues():
output_slot._exists = True
return task
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipeline, return_task=True, countdown=None, eta=None):\n for name, slot in pipeline.outputs._output_dict.iteritems():\n slot.key = db.Key.from_path(*slot.key.to_path(), **dict(parent=\n pipeline._pipeline_key))\n _, output_slots, params_text, params_blob = _generate_args(pipeline,\n pipeline.outputs, self.queue_name, self.base_path)\n\n @db.transactional(propagation=db.INDEPENDENT)\n def x():\n pipeline_record = db.get(pipeline._pipeline_key)\n if pipeline_record is not None:\n raise PipelineExistsError(\n 'Pipeline with idempotence key \"%s\" already exists; params=%s'\n % (pipeline._pipeline_key.name(), _short_repr(\n pipeline_record.params)))\n entities_to_put = []\n for name, slot in pipeline.outputs._output_dict.iteritems():\n entities_to_put.append(_SlotRecord(key=slot.key, root_pipeline=\n pipeline._pipeline_key))\n entities_to_put.append(_PipelineRecord(key=pipeline._pipeline_key,\n root_pipeline=pipeline._pipeline_key, is_root_pipeline=True,\n params=params_text, params_blob=params_blob, start_time=self.\n _gettime(), class_path=pipeline._class_path, max_attempts=\n pipeline.max_attempts))\n entities_to_put.extend(_PipelineContext._create_barrier_entities(\n pipeline._pipeline_key, pipeline._pipeline_key, _BarrierRecord.\n FINALIZE, output_slots))\n db.put(entities_to_put)\n task = taskqueue.Task(url=self.pipeline_handler_path, params=dict(\n pipeline_key=pipeline._pipeline_key), headers={\n 'X-Ae-Pipeline-Key': pipeline._pipeline_key}, target=pipeline.\n target, countdown=countdown, eta=eta)\n if return_task:\n return task\n task.add(queue_name=self.queue_name, transactional=True)\n task = txn()\n for output_slot in pipeline.outputs._output_dict.itervalues():\n output_slot._exists = True\n return task\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(root_pipeline_key, child_pipeline_key, purpose, blocking_slot_keys):
result = []
blocking_slot_keys = list(blocking_slot_keys)
barrier = _BarrierRecord(parent=child_pipeline_key, key_name=purpose,
target=child_pipeline_key, root_pipeline=root_pipeline_key,
blocking_slots=blocking_slot_keys)
result.append(barrier)
for slot_key in blocking_slot_keys:
barrier_index_path = []
barrier_index_path.extend(slot_key.to_path())
barrier_index_path.extend(child_pipeline_key.to_path())
barrier_index_path.extend([_BarrierIndex.kind(), purpose])
barrier_index_key = db.Key.from_path(*barrier_index_path)
barrier_index = _BarrierIndex(key=barrier_index_key, root_pipeline=
root_pipeline_key)
result.append(barrier_index)
return result
|
create_barrier_entities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root_pipeline_key, child_pipeline_key, purpose, blocking_slot_keys):\n result = []\n blocking_slot_keys = list(blocking_slot_keys)\n barrier = _BarrierRecord(parent=child_pipeline_key, key_name=purpose,\n target=child_pipeline_key, root_pipeline=root_pipeline_key,\n blocking_slots=blocking_slot_keys)\n result.append(barrier)\n for slot_key in blocking_slot_keys:\n barrier_index_path = []\n barrier_index_path.extend(slot_key.to_path())\n barrier_index_path.extend(child_pipeline_key.to_path())\n barrier_index_path.extend([_BarrierIndex.kind(), purpose])\n barrier_index_key = db.Key.from_path(*barrier_index_path)\n barrier_index = _BarrierIndex(key=barrier_index_key, root_pipeline=\n root_pipeline_key)\n result.append(barrier_index)\n return result\n",
"role": "user"
},
{
"content": "create_barrier_entities",
"role": "assistant"
}
] |
def x(self, pipeline_key, pipeline_func, e):
if isinstance(e, Retry):
retry_message = str(e)
logging.warning('User forced retry for pipeline ID "%s" of %r: %s',
pipeline_key.name(), pipeline_func, retry_message)
self.transition_retry(pipeline_key, retry_message)
elif isinstance(e, Abort):
abort_message = str(e)
logging.warning('User forced abort for pipeline ID "%s" of %r: %s',
pipeline_key.name(), pipeline_func, abort_message)
pipeline_func.abort(abort_message)
else:
retry_message = '%s: %s' % (e.__class__.__name__, str(e))
logging.exception('Generator %r#%s raised exception. %s',
pipeline_func, pipeline_key.name(), retry_message)
self.transition_retry(pipeline_key, retry_message)
return pipeline_func.task_retry
|
handle_run_exception
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipeline_key, pipeline_func, e):\n if isinstance(e, Retry):\n retry_message = str(e)\n logging.warning('User forced retry for pipeline ID \"%s\" of %r: %s',\n pipeline_key.name(), pipeline_func, retry_message)\n self.transition_retry(pipeline_key, retry_message)\n elif isinstance(e, Abort):\n abort_message = str(e)\n logging.warning('User forced abort for pipeline ID \"%s\" of %r: %s',\n pipeline_key.name(), pipeline_func, abort_message)\n pipeline_func.abort(abort_message)\n else:\n retry_message = '%s: %s' % (e.__class__.__name__, str(e))\n logging.exception('Generator %r#%s raised exception. %s',\n pipeline_func, pipeline_key.name(), retry_message)\n self.transition_retry(pipeline_key, retry_message)\n return pipeline_func.task_retry\n",
"role": "user"
},
{
"content": "handle_run_exception",
"role": "assistant"
}
] |
def x(self, pipeline_key, blocking_slot_keys=None, fanned_out_pipelines=
None, pipelines_to_run=None):
def x():
pipeline_record = db.get(pipeline_key)
if pipeline_record is None:
logging.warning(
'Pipeline ID "%s" cannot be marked as run. Does not exist.',
pipeline_key.name())
raise db.Rollback()
if pipeline_record.status != _PipelineRecord.WAITING:
logging.warning(
'Pipeline ID "%s" in bad state to be marked as run: %s',
pipeline_key.name(), pipeline_record.status)
raise db.Rollback()
pipeline_record.status = _PipelineRecord.RUN
if fanned_out_pipelines:
child_pipeline_list = list(fanned_out_pipelines)
pipeline_record.fanned_out = child_pipeline_list
if pipelines_to_run:
child_indexes = [child_pipeline_list.index(p) for p in
pipelines_to_run]
child_indexes.sort()
task = taskqueue.Task(url=self.fanout_handler_path, params=
dict(parent_key=str(pipeline_key), child_indexes=
child_indexes))
task.add(queue_name=self.queue_name, transactional=True)
pipeline_record.put()
if blocking_slot_keys:
barrier_key = db.Key.from_path(_BarrierRecord.kind(),
_BarrierRecord.FINALIZE, parent=pipeline_key)
finalize_barrier = db.get(barrier_key)
if finalize_barrier is None:
raise UnexpectedPipelineError(
'Pipeline ID "%s" cannot update finalize barrier. Does not exist.'
% pipeline_key.name())
else:
finalize_barrier.blocking_slots = list(blocking_slot_keys.
union(set(finalize_barrier.blocking_slots)))
finalize_barrier.put()
db.run_in_transaction(txn)
|
transition_run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipeline_key, blocking_slot_keys=None, fanned_out_pipelines=\n None, pipelines_to_run=None):\n\n def x():\n pipeline_record = db.get(pipeline_key)\n if pipeline_record is None:\n logging.warning(\n 'Pipeline ID \"%s\" cannot be marked as run. Does not exist.',\n pipeline_key.name())\n raise db.Rollback()\n if pipeline_record.status != _PipelineRecord.WAITING:\n logging.warning(\n 'Pipeline ID \"%s\" in bad state to be marked as run: %s',\n pipeline_key.name(), pipeline_record.status)\n raise db.Rollback()\n pipeline_record.status = _PipelineRecord.RUN\n if fanned_out_pipelines:\n child_pipeline_list = list(fanned_out_pipelines)\n pipeline_record.fanned_out = child_pipeline_list\n if pipelines_to_run:\n child_indexes = [child_pipeline_list.index(p) for p in\n pipelines_to_run]\n child_indexes.sort()\n task = taskqueue.Task(url=self.fanout_handler_path, params=\n dict(parent_key=str(pipeline_key), child_indexes=\n child_indexes))\n task.add(queue_name=self.queue_name, transactional=True)\n pipeline_record.put()\n if blocking_slot_keys:\n barrier_key = db.Key.from_path(_BarrierRecord.kind(),\n _BarrierRecord.FINALIZE, parent=pipeline_key)\n finalize_barrier = db.get(barrier_key)\n if finalize_barrier is None:\n raise UnexpectedPipelineError(\n 'Pipeline ID \"%s\" cannot update finalize barrier. Does not exist.'\n % pipeline_key.name())\n else:\n finalize_barrier.blocking_slots = list(blocking_slot_keys.\n union(set(finalize_barrier.blocking_slots)))\n finalize_barrier.put()\n db.run_in_transaction(txn)\n",
"role": "user"
},
{
"content": "transition_run",
"role": "assistant"
}
] |
def x(self, pipeline_key):
def x():
pipeline_record = db.get(pipeline_key)
if pipeline_record is None:
logging.warning(
'Tried to mark pipeline ID "%s" as complete but it does not exist.'
, pipeline_key.name())
raise db.Rollback()
if pipeline_record.status not in (_PipelineRecord.WAITING,
_PipelineRecord.RUN):
logging.warning(
'Tried to mark pipeline ID "%s" as complete, found bad state: %s'
, pipeline_key.name(), pipeline_record.status)
raise db.Rollback()
pipeline_record.status = _PipelineRecord.DONE
pipeline_record.finalized_time = self._gettime()
pipeline_record.put()
db.run_in_transaction(txn)
|
transition_complete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipeline_key):\n\n def x():\n pipeline_record = db.get(pipeline_key)\n if pipeline_record is None:\n logging.warning(\n 'Tried to mark pipeline ID \"%s\" as complete but it does not exist.'\n , pipeline_key.name())\n raise db.Rollback()\n if pipeline_record.status not in (_PipelineRecord.WAITING,\n _PipelineRecord.RUN):\n logging.warning(\n 'Tried to mark pipeline ID \"%s\" as complete, found bad state: %s'\n , pipeline_key.name(), pipeline_record.status)\n raise db.Rollback()\n pipeline_record.status = _PipelineRecord.DONE\n pipeline_record.finalized_time = self._gettime()\n pipeline_record.put()\n db.run_in_transaction(txn)\n",
"role": "user"
},
{
"content": "transition_complete",
"role": "assistant"
}
] |
def x(self, pipeline_key, retry_message):
def x():
pipeline_record = db.get(pipeline_key)
if pipeline_record is None:
logging.warning(
'Tried to retry pipeline ID "%s" but it does not exist.',
pipeline_key.name())
raise db.Rollback()
if pipeline_record.status not in (_PipelineRecord.WAITING,
_PipelineRecord.RUN):
logging.warning(
'Tried to retry pipeline ID "%s", found bad state: %s',
pipeline_key.name(), pipeline_record.status)
raise db.Rollback()
params = pipeline_record.params
offset_seconds = params['backoff_seconds'] * params['backoff_factor'
] ** pipeline_record.current_attempt
pipeline_record.next_retry_time = self._gettime() + datetime.timedelta(
seconds=offset_seconds)
pipeline_record.current_attempt += 1
pipeline_record.retry_message = retry_message
pipeline_record.status = _PipelineRecord.WAITING
if pipeline_record.current_attempt >= pipeline_record.max_attempts:
root_pipeline_key = (_PipelineRecord.root_pipeline.
get_value_for_datastore(pipeline_record))
logging.warning(
'Giving up on pipeline ID "%s" after %d attempt(s); causing abort all the way to the root pipeline ID "%s"'
, pipeline_key.name(), pipeline_record.current_attempt,
root_pipeline_key.name())
pipeline_record.abort_message = ('Aborting after %d attempts' %
pipeline_record.current_attempt)
task = taskqueue.Task(url=self.fanout_abort_handler_path,
params=dict(root_pipeline_key=root_pipeline_key))
task.add(queue_name=self.queue_name, transactional=True)
else:
task = taskqueue.Task(url=self.pipeline_handler_path, eta=
pipeline_record.next_retry_time, params=dict(pipeline_key=
pipeline_key, purpose=_BarrierRecord.START, attempt=
pipeline_record.current_attempt), headers={
'X-Ae-Pipeline-Key': pipeline_key}, target=pipeline_record.
params['target'])
task.add(queue_name=self.queue_name, transactional=True)
pipeline_record.put()
db.run_in_transaction(txn)
|
transition_retry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipeline_key, retry_message):\n\n def x():\n pipeline_record = db.get(pipeline_key)\n if pipeline_record is None:\n logging.warning(\n 'Tried to retry pipeline ID \"%s\" but it does not exist.',\n pipeline_key.name())\n raise db.Rollback()\n if pipeline_record.status not in (_PipelineRecord.WAITING,\n _PipelineRecord.RUN):\n logging.warning(\n 'Tried to retry pipeline ID \"%s\", found bad state: %s',\n pipeline_key.name(), pipeline_record.status)\n raise db.Rollback()\n params = pipeline_record.params\n offset_seconds = params['backoff_seconds'] * params['backoff_factor'\n ] ** pipeline_record.current_attempt\n pipeline_record.next_retry_time = self._gettime() + datetime.timedelta(\n seconds=offset_seconds)\n pipeline_record.current_attempt += 1\n pipeline_record.retry_message = retry_message\n pipeline_record.status = _PipelineRecord.WAITING\n if pipeline_record.current_attempt >= pipeline_record.max_attempts:\n root_pipeline_key = (_PipelineRecord.root_pipeline.\n get_value_for_datastore(pipeline_record))\n logging.warning(\n 'Giving up on pipeline ID \"%s\" after %d attempt(s); causing abort all the way to the root pipeline ID \"%s\"'\n , pipeline_key.name(), pipeline_record.current_attempt,\n root_pipeline_key.name())\n pipeline_record.abort_message = ('Aborting after %d attempts' %\n pipeline_record.current_attempt)\n task = taskqueue.Task(url=self.fanout_abort_handler_path,\n params=dict(root_pipeline_key=root_pipeline_key))\n task.add(queue_name=self.queue_name, transactional=True)\n else:\n task = taskqueue.Task(url=self.pipeline_handler_path, eta=\n pipeline_record.next_retry_time, params=dict(pipeline_key=\n pipeline_key, purpose=_BarrierRecord.START, attempt=\n pipeline_record.current_attempt), headers={\n 'X-Ae-Pipeline-Key': pipeline_key}, target=pipeline_record.\n params['target'])\n task.add(queue_name=self.queue_name, transactional=True)\n pipeline_record.put()\n db.run_in_transaction(txn)\n",
"role": "user"
},
{
"content": "transition_retry",
"role": "assistant"
}
] |
def x():
import os
import sys
all_paths = os.environ.get('PYTHONPATH').split(os.pathsep)
for path_dir in all_paths:
dev_appserver_path = os.path.join(path_dir, 'dev_appserver.py')
if os.path.exists(dev_appserver_path):
logging.debug('Found appengine SDK on path!')
google_appengine = os.path.dirname(os.path.realpath(
dev_appserver_path))
sys.path.append(google_appengine)
dev_appserver = __import__('dev_appserver')
sys.path.extend(dev_appserver.EXTRA_PATHS)
return
|
fix_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import os\n import sys\n all_paths = os.environ.get('PYTHONPATH').split(os.pathsep)\n for path_dir in all_paths:\n dev_appserver_path = os.path.join(path_dir, 'dev_appserver.py')\n if os.path.exists(dev_appserver_path):\n logging.debug('Found appengine SDK on path!')\n google_appengine = os.path.dirname(os.path.realpath(\n dev_appserver_path))\n sys.path.append(google_appengine)\n dev_appserver = __import__('dev_appserver')\n sys.path.extend(dev_appserver.EXTRA_PATHS)\n return\n",
"role": "user"
},
{
"content": "fix_path",
"role": "assistant"
}
] |
def x(self):
if hasattr(self, '_params_decoded'):
return self._params_decoded
if self.params_blob is not None:
value_encoded = self.params_blob.open().read()
else:
value_encoded = self.params_text
value = json.loads(value_encoded, cls=util.JsonDecoder)
if isinstance(value, dict):
kwargs = value.get('kwargs')
if kwargs:
adjusted_kwargs = {}
for arg_key, arg_value in kwargs.iteritems():
adjusted_kwargs[str(arg_key)] = arg_value
value['kwargs'] = adjusted_kwargs
self._params_decoded = value
return self._params_decoded
|
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 hasattr(self, '_params_decoded'):\n return self._params_decoded\n if self.params_blob is not None:\n value_encoded = self.params_blob.open().read()\n else:\n value_encoded = self.params_text\n value = json.loads(value_encoded, cls=util.JsonDecoder)\n if isinstance(value, dict):\n kwargs = value.get('kwargs')\n if kwargs:\n adjusted_kwargs = {}\n for arg_key, arg_value in kwargs.iteritems():\n adjusted_kwargs[str(arg_key)] = arg_value\n value['kwargs'] = adjusted_kwargs\n self._params_decoded = value\n return self._params_decoded\n",
"role": "user"
},
{
"content": "params",
"role": "assistant"
}
] |
def x(self):
if hasattr(self, '_value_decoded'):
return self._value_decoded
if self.value_blob is not None:
encoded_value = self.value_blob.open().read()
else:
encoded_value = self.value_text
self._value_decoded = json.loads(encoded_value, cls=util.JsonDecoder)
return self._value_decoded
|
value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self, '_value_decoded'):\n return self._value_decoded\n if self.value_blob is not None:\n encoded_value = self.value_blob.open().read()\n else:\n encoded_value = self.value_text\n self._value_decoded = json.loads(encoded_value, cls=util.JsonDecoder)\n return self._value_decoded\n",
"role": "user"
},
{
"content": "value",
"role": "assistant"
}
] |
def x(cls, barrier_index_key):
barrier_index_path = barrier_index_key.to_path()
pipeline_kind, dependent_pipeline_id, unused_kind, purpose = (
barrier_index_path[-4:])
barrier_record_path = (pipeline_kind, dependent_pipeline_id,
_BarrierRecord.kind(), purpose)
return db.Key.from_path(*barrier_record_path)
|
to_barrier_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, barrier_index_key):\n barrier_index_path = barrier_index_key.to_path()\n pipeline_kind, dependent_pipeline_id, unused_kind, purpose = (\n barrier_index_path[-4:])\n barrier_record_path = (pipeline_kind, dependent_pipeline_id,\n _BarrierRecord.kind(), purpose)\n return db.Key.from_path(*barrier_record_path)\n",
"role": "user"
},
{
"content": "to_barrier_key",
"role": "assistant"
}
] |
def x(self, page, used_labels):
if page <= self.page_count:
raise ValueError(
'Page {0:d} has already started, cannot mark used labels now.'.
format(page))
used = self._used.get(page, set())
for row, column in used_labels:
if row < 1 or row > self.specs.rows:
raise IndexError('Invalid row number: {0:d}.'.format(row))
if column < 1 or column > self.specs.columns:
raise IndexError('Invalid column number: {0:d}.'.format(column))
used.add((int(row), int(column)))
self._used[page] = used
|
partial_page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page, used_labels):\n if page <= self.page_count:\n raise ValueError(\n 'Page {0:d} has already started, cannot mark used labels now.'.\n format(page))\n used = self._used.get(page, set())\n for row, column in used_labels:\n if row < 1 or row > self.specs.rows:\n raise IndexError('Invalid row number: {0:d}.'.format(row))\n if column < 1 or column > self.specs.columns:\n raise IndexError('Invalid column number: {0:d}.'.format(column))\n used.add((int(row), int(column)))\n self._used[page] = used\n",
"role": "user"
},
{
"content": "partial_page",
"role": "assistant"
}
] |
def x(self):
self._current_page = Drawing(*self._pagesize)
if self._bgimage:
self._current_page.add(self._bgimage)
self._pages.append(self._current_page)
self.page_count += 1
self._position = [1, 0]
|
new_page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._current_page = Drawing(*self._pagesize)\n if self._bgimage:\n self._current_page.add(self._bgimage)\n self._pages.append(self._current_page)\n self.page_count += 1\n self._position = [1, 0]\n",
"role": "user"
},
{
"content": "new_page",
"role": "assistant"
}
] |
def x(self):
if self.page_count == 0:
self._new_page()
elif self._position == self._numlabels:
self._new_page()
elif self._position[1] == self.specs.columns:
self._position[0] += 1
self._position[1] = 0
self._position[1] += 1
|
next_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.page_count == 0:\n self._new_page()\n elif self._position == self._numlabels:\n self._new_page()\n elif self._position[1] == self.specs.columns:\n self._position[0] += 1\n self._position[1] = 0\n self._position[1] += 1\n",
"role": "user"
},
{
"content": "next_label",
"role": "assistant"
}
] |
def x(self):
self._next_label()
if self.page_count in self._used:
missing = self._used.get(self.page_count, set())
while tuple(self._position) in missing:
missing.discard(tuple(self._position))
if self.shade_missing:
self._shade_missing_label()
self._next_label()
missing = self._used.get(self.page_count, set())
self.label_count += 1
|
next_unused_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._next_label()\n if self.page_count in self._used:\n missing = self._used.get(self.page_count, set())\n while tuple(self._position) in missing:\n missing.discard(tuple(self._position))\n if self.shade_missing:\n self._shade_missing_label()\n self._next_label()\n missing = self._used.get(self.page_count, set())\n self.label_count += 1\n",
"role": "user"
},
{
"content": "next_unused_label",
"role": "assistant"
}
] |
def x(self):
left = self.specs.left_margin
left += self.specs.label_width * (self._position[1] - 1)
if self.specs.column_gap:
left += self.specs.column_gap * (self._position[1] - 1)
left *= mm
bottom = self.specs.sheet_height - self.specs.top_margin
bottom -= self.specs.label_height * self._position[0]
if self.specs.row_gap:
bottom -= self.specs.row_gap * (self._position[0] - 1)
bottom *= mm
return float(left), float(bottom)
|
calculate_edges
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n left = self.specs.left_margin\n left += self.specs.label_width * (self._position[1] - 1)\n if self.specs.column_gap:\n left += self.specs.column_gap * (self._position[1] - 1)\n left *= mm\n bottom = self.specs.sheet_height - self.specs.top_margin\n bottom -= self.specs.label_height * self._position[0]\n if self.specs.row_gap:\n bottom -= self.specs.row_gap * (self._position[0] - 1)\n bottom *= mm\n return float(left), float(bottom)\n",
"role": "user"
},
{
"content": "calculate_edges",
"role": "assistant"
}
] |
def x(self):
label = Drawing(float(self._lw), float(self._lh))
label.add(self._clip_label)
r = shapes.Rect(0, 0, float(self._lw), float(self._lh))
r.fillColor = self.shade_missing
r.strokeColor = None
label.add(r)
label.shift(*self._calculate_edges())
self._current_page.add(label)
|
shade_missing_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n label = Drawing(float(self._lw), float(self._lh))\n label.add(self._clip_label)\n r = shapes.Rect(0, 0, float(self._lw), float(self._lh))\n r.fillColor = self.shade_missing\n r.strokeColor = None\n label.add(r)\n label.shift(*self._calculate_edges())\n self._current_page.add(label)\n",
"role": "user"
},
{
"content": "shade_missing_label",
"role": "assistant"
}
] |
def x(self):
if not self.shade_missing:
return
missing = self._used.get(self.page_count, set())
for position in missing:
self._position = position
self._shade_missing_label()
|
shade_remaining_missing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.shade_missing:\n return\n missing = self._used.get(self.page_count, set())\n for position in missing:\n self._position = position\n self._shade_missing_label()\n",
"role": "user"
},
{
"content": "shade_remaining_missing",
"role": "assistant"
}
] |
def x(self, obj, count):
label = Drawing(float(self._lw), float(self._lh))
label.add(self._clip_label)
available = Drawing(float(self._dw), float(self._dh))
available.add(self._clip_drawing)
self.drawing_callable(available, float(self._dw), float(self._dh), obj)
available.shift(float(self._lp), float(self._bp))
label.add(available)
if self.border:
label.add(self._border)
for i in range(count):
self._next_unused_label()
if self.pages_to_draw and self.page_count not in self.pages_to_draw:
continue
thislabel = copy(label)
thislabel.shift(*self._calculate_edges())
self._current_page.add(thislabel)
|
draw_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, count):\n label = Drawing(float(self._lw), float(self._lh))\n label.add(self._clip_label)\n available = Drawing(float(self._dw), float(self._dh))\n available.add(self._clip_drawing)\n self.drawing_callable(available, float(self._dw), float(self._dh), obj)\n available.shift(float(self._lp), float(self._bp))\n label.add(available)\n if self.border:\n label.add(self._border)\n for i in range(count):\n self._next_unused_label()\n if self.pages_to_draw and self.page_count not in self.pages_to_draw:\n continue\n thislabel = copy(label)\n thislabel.shift(*self._calculate_edges())\n self._current_page.add(thislabel)\n",
"role": "user"
},
{
"content": "draw_label",
"role": "assistant"
}
] |
def x(self, objects, count=1):
try:
count = int(count)
except TypeError:
pass
else:
count = repeat(count)
if not hasattr(count, 'next') and not hasattr(count, '__next__'):
count = iter(count)
for obj in objects:
try:
thiscount = next(count)
except StopIteration:
break
self._draw_label(obj, thiscount)
|
add_labels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objects, count=1):\n try:\n count = int(count)\n except TypeError:\n pass\n else:\n count = repeat(count)\n if not hasattr(count, 'next') and not hasattr(count, '__next__'):\n count = iter(count)\n for obj in objects:\n try:\n thiscount = next(count)\n except StopIteration:\n break\n self._draw_label(obj, thiscount)\n",
"role": "user"
},
{
"content": "add_labels",
"role": "assistant"
}
] |
def x(self, filelike):
self._shade_remaining_missing()
canvas = Canvas(filelike, pagesize=self._pagesize)
for page in self._pages:
renderPDF.draw(page, canvas, 0, 0)
canvas.showPage()
canvas.save()
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filelike):\n self._shade_remaining_missing()\n canvas = Canvas(filelike, pagesize=self._pagesize)\n for page in self._pages:\n renderPDF.draw(page, canvas, 0, 0)\n canvas.showPage()\n canvas.save()\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, page, filelike, format='png', dpi=72, background_colour=16777215):
if page < 1 or page > self.page_count:
raise ValueError('Invalid page number; should be between 1 and {0:d}.'
.format(self.page_count))
self._shade_remaining_missing()
oldw, oldh = None, None
if isinstance(self._bgimage, Image):
oldw, oldh = self._bgimage.width, self._bgimage.height
self._bgimage.width = int(oldw) + 1
self._bgimage.height = int(oldh) + 1
renderPM.drawToFile(self._pages[page - 1], filelike, format, dpi,
background_colour)
if oldw:
self._bgimage.width = oldw
self._bgimage.height = oldh
|
preview
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page, filelike, format='png', dpi=72, background_colour=16777215):\n if page < 1 or page > self.page_count:\n raise ValueError('Invalid page number; should be between 1 and {0:d}.'\n .format(self.page_count))\n self._shade_remaining_missing()\n oldw, oldh = None, None\n if isinstance(self._bgimage, Image):\n oldw, oldh = self._bgimage.width, self._bgimage.height\n self._bgimage.width = int(oldw) + 1\n self._bgimage.height = int(oldh) + 1\n renderPM.drawToFile(self._pages[page - 1], filelike, format, dpi,\n background_colour)\n if oldw:\n self._bgimage.width = oldw\n self._bgimage.height = oldh\n",
"role": "user"
},
{
"content": "preview",
"role": "assistant"
}
] |
def x(self, page, format='png', dpi=72, background_colour=16777215):
if page < 1 or page > self.page_count:
raise ValueError('Invalid page number; should be between 1 and {0:d}.'
.format(self.page_count))
self._shade_remaining_missing()
oldw, oldh = None, None
if isinstance(self._bgimage, Image):
oldw, oldh = self._bgimage.width, self._bgimage.height
self._bgimage.width = int(oldw) + 1
self._bgimage.height = int(oldh) + 1
s = renderPM.drawToString(self._pages[page - 1], format, dpi,
background_colour)
if oldw:
self._bgimage.width = oldw
self._bgimage.height = oldh
return s
|
preview_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page, format='png', dpi=72, background_colour=16777215):\n if page < 1 or page > self.page_count:\n raise ValueError('Invalid page number; should be between 1 and {0:d}.'\n .format(self.page_count))\n self._shade_remaining_missing()\n oldw, oldh = None, None\n if isinstance(self._bgimage, Image):\n oldw, oldh = self._bgimage.width, self._bgimage.height\n self._bgimage.width = int(oldw) + 1\n self._bgimage.height = int(oldh) + 1\n s = renderPM.drawToString(self._pages[page - 1], format, dpi,\n background_colour)\n if oldw:\n self._bgimage.width = oldw\n self._bgimage.height = oldh\n return s\n",
"role": "user"
},
{
"content": "preview_string",
"role": "assistant"
}
] |
def x(self):
for dimension in ('_sheet_width', '_sheet_height', '_columns', '_rows',
'_label_width', '_label_height'):
if getattr(self, dimension) <= 0:
name = dimension.replace('_', ' ').strip().capitalize()
raise InvalidDimension('{0:s} must be greater than zero.'.
format(name))
for margin in ('_left_margin', '_column_gap', '_right_margin',
'_top_margin', '_row_gap', '_bottom_margin', '_left_padding',
'_right_padding', '_top_padding', '_bottom_padding'):
val = getattr(self, margin)
if val is not None:
if margin in self._autoset:
val = None
else:
val = Decimal(val)
if val < 0:
name = margin.replace('_', ' ').strip().capitalize()
raise InvalidDimension('{0:s} cannot be less than zero.'
.format(name))
setattr(self, margin, val)
else:
self._autoset.add(margin)
if self._corner_radius < 0:
raise InvalidDimension('Corner radius cannot be less than zero.')
if self._corner_radius > self._label_width / 2:
raise InvalidDimension(
'Corner radius cannot be more than half the label width.')
if self._corner_radius > self._label_height / 2:
raise InvalidDimension(
'Corner radius cannot be more than half the label height.')
if (self._left_padding + self._right_padding + self._top_padding + self
._bottom_padding == 0):
if self._padding_radius != 0:
raise InvalidDimension(
'Padding radius must be zero if there is no padding.')
else:
if self._left_padding + self._right_padding >= self._label_width:
raise InvalidDimension(
'Sum of horizontal padding must be less than the label width.')
if self._top_padding + self._bottom_padding >= self._label_height:
raise InvalidDimension(
'Sum of vertical padding must be less than the label height.')
if self._padding_radius < 0:
raise InvalidDimension('Padding radius cannot be less than zero.')
hspace = self._sheet_width - self._label_width * self._columns
vspace = self._sheet_height - self._label_height * self._rows
if hspace < 0:
raise InvalidDimension('Labels are too wide to fit on the sheet.')
if vspace < 0:
raise InvalidDimension('Labels are too tall to fit on the sheet.')
hcount = 1 + self._columns
if self._left_margin is not None:
hspace -= self._left_margin
if hspace < 0:
raise InvalidDimension(
'Left margin is too wide for the labels to fit on the sheet.')
hcount -= 1
if self._column_gap is not None:
hspace -= (self._columns - 1) * self._column_gap
if hspace < 0:
raise InvalidDimension(
'Column gap is too wide for the labels to fit on the sheet.')
hcount -= self._columns - 1
if self._right_margin is not None:
hspace -= self._right_margin
if hspace < 0.01 and hspace > -0.01:
self._right_margin += hspace
hspace = 0
if hspace < 0:
raise InvalidDimension(
'Right margin is too wide for the labels to fit on the sheet.')
hcount -= 1
vcount = 1 + self._rows
if self._top_margin is not None:
vspace -= self._top_margin
if vspace < 0:
raise InvalidDimension(
'Top margin is too tall for the labels to fit on the sheet.')
vcount -= 1
if self._row_gap is not None:
vspace -= (self._rows - 1) * self._row_gap
if vspace < 0:
raise InvalidDimension(
'Row gap is too tall for the labels to fit on the sheet.')
vcount -= self._rows - 1
if self._bottom_margin is not None:
vspace -= self._bottom_margin
if vspace < 0.01 and vspace > -0.01:
self._bottom_margin += vspace
vspace = 0
if vspace < 0:
raise InvalidDimension(
'Bottom margin is too tall for the labels to fit on the sheet.'
)
vcount -= 1
if hcount == 0 and hspace != 0:
raise InvalidDimension(
'Not all width used by manually specified margins/gaps; {}mm left.'
.format(hspace))
if vcount == 0 and vspace != 0:
raise InvalidDimension(
'Not all height used by manually specified margins/gaps; {}mm left.'
.format(vspace))
if hcount:
auto_margin = hspace / hcount
for margin in ('_left_margin', '_column_gap', '_right_margin'):
if getattr(self, margin) is None:
setattr(self, margin, auto_margin)
if vcount:
auto_margin = vspace / vcount
for margin in ('_top_margin', '_row_gap', '_bottom_margin'):
if getattr(self, margin) is None:
setattr(self, margin, auto_margin)
|
calculate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dimension in ('_sheet_width', '_sheet_height', '_columns', '_rows',\n '_label_width', '_label_height'):\n if getattr(self, dimension) <= 0:\n name = dimension.replace('_', ' ').strip().capitalize()\n raise InvalidDimension('{0:s} must be greater than zero.'.\n format(name))\n for margin in ('_left_margin', '_column_gap', '_right_margin',\n '_top_margin', '_row_gap', '_bottom_margin', '_left_padding',\n '_right_padding', '_top_padding', '_bottom_padding'):\n val = getattr(self, margin)\n if val is not None:\n if margin in self._autoset:\n val = None\n else:\n val = Decimal(val)\n if val < 0:\n name = margin.replace('_', ' ').strip().capitalize()\n raise InvalidDimension('{0:s} cannot be less than zero.'\n .format(name))\n setattr(self, margin, val)\n else:\n self._autoset.add(margin)\n if self._corner_radius < 0:\n raise InvalidDimension('Corner radius cannot be less than zero.')\n if self._corner_radius > self._label_width / 2:\n raise InvalidDimension(\n 'Corner radius cannot be more than half the label width.')\n if self._corner_radius > self._label_height / 2:\n raise InvalidDimension(\n 'Corner radius cannot be more than half the label height.')\n if (self._left_padding + self._right_padding + self._top_padding + self\n ._bottom_padding == 0):\n if self._padding_radius != 0:\n raise InvalidDimension(\n 'Padding radius must be zero if there is no padding.')\n else:\n if self._left_padding + self._right_padding >= self._label_width:\n raise InvalidDimension(\n 'Sum of horizontal padding must be less than the label width.')\n if self._top_padding + self._bottom_padding >= self._label_height:\n raise InvalidDimension(\n 'Sum of vertical padding must be less than the label height.')\n if self._padding_radius < 0:\n raise InvalidDimension('Padding radius cannot be less than zero.')\n hspace = self._sheet_width - self._label_width * self._columns\n vspace = self._sheet_height - self._label_height * self._rows\n if hspace < 0:\n raise InvalidDimension('Labels are too wide to fit on the sheet.')\n if vspace < 0:\n raise InvalidDimension('Labels are too tall to fit on the sheet.')\n hcount = 1 + self._columns\n if self._left_margin is not None:\n hspace -= self._left_margin\n if hspace < 0:\n raise InvalidDimension(\n 'Left margin is too wide for the labels to fit on the sheet.')\n hcount -= 1\n if self._column_gap is not None:\n hspace -= (self._columns - 1) * self._column_gap\n if hspace < 0:\n raise InvalidDimension(\n 'Column gap is too wide for the labels to fit on the sheet.')\n hcount -= self._columns - 1\n if self._right_margin is not None:\n hspace -= self._right_margin\n if hspace < 0.01 and hspace > -0.01:\n self._right_margin += hspace\n hspace = 0\n if hspace < 0:\n raise InvalidDimension(\n 'Right margin is too wide for the labels to fit on the sheet.')\n hcount -= 1\n vcount = 1 + self._rows\n if self._top_margin is not None:\n vspace -= self._top_margin\n if vspace < 0:\n raise InvalidDimension(\n 'Top margin is too tall for the labels to fit on the sheet.')\n vcount -= 1\n if self._row_gap is not None:\n vspace -= (self._rows - 1) * self._row_gap\n if vspace < 0:\n raise InvalidDimension(\n 'Row gap is too tall for the labels to fit on the sheet.')\n vcount -= self._rows - 1\n if self._bottom_margin is not None:\n vspace -= self._bottom_margin\n if vspace < 0.01 and vspace > -0.01:\n self._bottom_margin += vspace\n vspace = 0\n if vspace < 0:\n raise InvalidDimension(\n 'Bottom margin is too tall for the labels to fit on the sheet.'\n )\n vcount -= 1\n if hcount == 0 and hspace != 0:\n raise InvalidDimension(\n 'Not all width used by manually specified margins/gaps; {}mm left.'\n .format(hspace))\n if vcount == 0 and vspace != 0:\n raise InvalidDimension(\n 'Not all height used by manually specified margins/gaps; {}mm left.'\n .format(vspace))\n if hcount:\n auto_margin = hspace / hcount\n for margin in ('_left_margin', '_column_gap', '_right_margin'):\n if getattr(self, margin) is None:\n setattr(self, margin, auto_margin)\n if vcount:\n auto_margin = vspace / vcount\n for margin in ('_top_margin', '_row_gap', '_bottom_margin'):\n if getattr(self, margin) is None:\n setattr(self, margin, auto_margin)\n",
"role": "user"
},
{
"content": "calculate",
"role": "assistant"
}
] |
def x(self, mode='fraction', output='dict'):
boxes = {}
if mode not in ('fraction', 'actual'):
raise ValueError('Unknown mode {0}.'.format(mode))
if output not in ('dict', 'json'):
raise ValueError('Unknown output {0}.'.format(output))
for row in range(1, self.rows + 1):
top = self.top_margin + (row - 1) * (self.label_height + self.row_gap)
bottom = top + self.label_height
for column in range(1, self.columns + 1):
left = self.left_margin + (column - 1) * (self.label_width +
self.column_gap)
right = left + self.label_width
if mode == 'fraction':
box = {'top': top / self.sheet_height, 'bottom': bottom /
self.sheet_height, 'left': left / self.sheet_width,
'right': right / self.sheet_width}
elif mode == 'actual':
box = {'top': top, 'bottom': bottom, 'left': left, 'right':
right}
if output == 'json':
boxes['{0:d}x{1:d}'.format(row, column)] = box
box['top'] = float(box['top'])
box['bottom'] = float(box['bottom'])
box['left'] = float(box['left'])
box['right'] = float(box['right'])
else:
boxes[row, column] = box
if output == 'json':
return json.dumps(boxes)
return boxes
|
bounding_boxes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='fraction', output='dict'):\n boxes = {}\n if mode not in ('fraction', 'actual'):\n raise ValueError('Unknown mode {0}.'.format(mode))\n if output not in ('dict', 'json'):\n raise ValueError('Unknown output {0}.'.format(output))\n for row in range(1, self.rows + 1):\n top = self.top_margin + (row - 1) * (self.label_height + self.row_gap)\n bottom = top + self.label_height\n for column in range(1, self.columns + 1):\n left = self.left_margin + (column - 1) * (self.label_width +\n self.column_gap)\n right = left + self.label_width\n if mode == 'fraction':\n box = {'top': top / self.sheet_height, 'bottom': bottom /\n self.sheet_height, 'left': left / self.sheet_width,\n 'right': right / self.sheet_width}\n elif mode == 'actual':\n box = {'top': top, 'bottom': bottom, 'left': left, 'right':\n right}\n if output == 'json':\n boxes['{0:d}x{1:d}'.format(row, column)] = box\n box['top'] = float(box['top'])\n box['bottom'] = float(box['bottom'])\n box['left'] = float(box['left'])\n box['right'] = float(box['right'])\n else:\n boxes[row, column] = box\n if output == 'json':\n return json.dumps(boxes)\n return boxes\n",
"role": "user"
},
{
"content": "bounding_boxes",
"role": "assistant"
}
] |
def x(text, open, close):
others = []
spans = [i for i in findBalanced(text, open, close)]
spanscopy = copy(spans)
for i in range(len(spans)):
start, end = spans[i]
o = text[start:end]
ol = o.lower()
if 'vaata|' in ol or 'wikitable' in ol:
spanscopy.remove(spans[i])
continue
others.append(o)
text = dropSpans(spanscopy, text)
return text, others
|
templatesCollector
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, open, close):\n others = []\n spans = [i for i in findBalanced(text, open, close)]\n spanscopy = copy(spans)\n for i in range(len(spans)):\n start, end = spans[i]\n o = text[start:end]\n ol = o.lower()\n if 'vaata|' in ol or 'wikitable' in ol:\n spanscopy.remove(spans[i])\n continue\n others.append(o)\n text = dropSpans(spanscopy, text)\n return text, others\n",
"role": "user"
},
{
"content": "templatesCollector",
"role": "assistant"
}
] |
def x(kwargs):
seen_layers = set()
for k, v in kwargs.items():
if k not in LEGAL_ARGUMENTS:
raise ValueError('Illegal argument <{0}>!'.format(k))
if k in AESTHETICS:
if v in seen_layers:
raise ValueError(
'Layer <{0}> mapped for more than a single aesthetic!'.
format(v))
seen_layers.add(v)
if k in VALUES:
if not isinstance(v, six.string_types) and not isinstance(v, list):
raise ValueError('Value <{0}> must be either string or list'
.format(k))
if isinstance(v, list):
if len(v) == 0:
raise ValueError('Rules cannot be empty list')
for rule_matcher, rule_value in v:
if not isinstance(rule_matcher, six.string_types
) or not isinstance(rule_value, six.string_types):
raise ValueError('Rule tuple elements must be strings')
|
assert_legal_arguments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kwargs):\n seen_layers = set()\n for k, v in kwargs.items():\n if k not in LEGAL_ARGUMENTS:\n raise ValueError('Illegal argument <{0}>!'.format(k))\n if k in AESTHETICS:\n if v in seen_layers:\n raise ValueError(\n 'Layer <{0}> mapped for more than a single aesthetic!'.\n format(v))\n seen_layers.add(v)\n if k in VALUES:\n if not isinstance(v, six.string_types) and not isinstance(v, list):\n raise ValueError('Value <{0}> must be either string or list'\n .format(k))\n if isinstance(v, list):\n if len(v) == 0:\n raise ValueError('Rules cannot be empty list')\n for rule_matcher, rule_value in v:\n if not isinstance(rule_matcher, six.string_types\n ) or not isinstance(rule_value, six.string_types):\n raise ValueError('Rule tuple elements must be strings')\n",
"role": "user"
},
{
"content": "assert_legal_arguments",
"role": "assistant"
}
] |
def x(kwargs):
aesthetics = {}
values = {}
for aes in AESTHETICS:
if aes in kwargs:
aesthetics[aes] = kwargs[aes]
val_name = AES_VALUE_MAP[aes]
values[aes] = kwargs.get(val_name, DEFAULT_VALUE_MAP[aes])
return aesthetics, values
|
parse_arguments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kwargs):\n aesthetics = {}\n values = {}\n for aes in AESTHETICS:\n if aes in kwargs:\n aesthetics[aes] = kwargs[aes]\n val_name = AES_VALUE_MAP[aes]\n values[aes] = kwargs.get(val_name, DEFAULT_VALUE_MAP[aes])\n return aesthetics, values\n",
"role": "user"
},
{
"content": "parse_arguments",
"role": "assistant"
}
] |
def x(self):
css_list = [DEFAULT_MARK_CSS]
for aes in self.aesthetics:
css_list.extend(get_mark_css(aes, self.values[aes]))
return '\n'.join(css_list)
|
css
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n css_list = [DEFAULT_MARK_CSS]\n for aes in self.aesthetics:\n css_list.extend(get_mark_css(aes, self.values[aes]))\n return '\\n'.join(css_list)\n",
"role": "user"
},
{
"content": "css",
"role": "assistant"
}
] |
def x(self, text, add_header=False):
html = mark_text(text, self.aesthetics, self.rules)
html = html.replace('\n', '<br/>')
if add_header:
html = '\n'.join([HEADER, self.css, MIDDLE, html, FOOTER])
return html
|
render
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, add_header=False):\n html = mark_text(text, self.aesthetics, self.rules)\n html = html.replace('\\n', '<br/>')\n if add_header:\n html = '\\n'.join([HEADER, self.css, MIDDLE, html, FOOTER])\n return html\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(self, nerdocs, mode_filename):
trainer = pycrfsuite.Trainer(algorithm=self.algorithm, params={'c2':
self.c2}, verbose=self.verbose)
for doc in nerdocs:
for snt in doc.sentences:
xseq = [t.feature_list() for t in snt]
yseq = [t.label for t in snt]
trainer.append(xseq, yseq)
trainer.train(mode_filename)
|
train
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nerdocs, mode_filename):\n trainer = pycrfsuite.Trainer(algorithm=self.algorithm, params={'c2':\n self.c2}, verbose=self.verbose)\n for doc in nerdocs:\n for snt in doc.sentences:\n xseq = [t.feature_list() for t in snt]\n yseq = [t.label for t in snt]\n trainer.append(xseq, yseq)\n trainer.train(mode_filename)\n",
"role": "user"
},
{
"content": "train",
"role": "assistant"
}
] |
def x(self, nerdoc):
labels = []
for snt in nerdoc.sentences:
xseq = [t.feature_list() for t in snt]
yseq = self.tagger.tag(xseq)
labels.append(yseq)
return labels
|
tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nerdoc):\n labels = []\n for snt in nerdoc.sentences:\n xseq = [t.feature_list() for t in snt]\n yseq = self.tagger.tag(xseq)\n labels.append(yseq)\n return labels\n",
"role": "user"
},
{
"content": "tag",
"role": "assistant"
}
] |
def x(text, openDelim='[', closeDelim=']'):
openbr = 0
cur = 0
for char in text:
cur += 1
if char == openDelim:
openbr += 1
if char == closeDelim:
openbr -= 1
if openbr == 0:
break
return text[:cur], cur
|
balancedSlicer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, openDelim='[', closeDelim=']'):\n openbr = 0\n cur = 0\n for char in text:\n cur += 1\n if char == openDelim:\n openbr += 1\n if char == closeDelim:\n openbr -= 1\n if openbr == 0:\n break\n return text[:cur], cur\n",
"role": "user"
},
{
"content": "balancedSlicer",
"role": "assistant"
}
] |
def x(inp, out, verbose=False):
for root, dirs, filenames in os.walk(inp):
for f in filenames:
log = codecs.open(os.path.join(root, f), 'r')
j_obj = json.load(log)
j_obj = json_format(j_obj)
textWriter(j_obj, out, verbose)
|
json_2_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inp, out, verbose=False):\n for root, dirs, filenames in os.walk(inp):\n for f in filenames:\n log = codecs.open(os.path.join(root, f), 'r')\n j_obj = json.load(log)\n j_obj = json_format(j_obj)\n textWriter(j_obj, out, verbose)\n",
"role": "user"
},
{
"content": "json_2_text",
"role": "assistant"
}
] |
def x(a, b, text, name):
match = Match(a.start, b.end, text[a.start:b.end], name)
for k, v in a.matches.items():
match.matches[k] = v
for k, v in b.matches.items():
match.matches[k] = v
if a.name is not None:
aa = copy(a)
del aa[MATCHES]
match.matches[a.name] = aa
if b.name is not None:
bb = copy(b)
del bb[MATCHES]
match.matches[b.name] = bb
return match
|
concatenate_matches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, text, name):\n match = Match(a.start, b.end, text[a.start:b.end], name)\n for k, v in a.matches.items():\n match.matches[k] = v\n for k, v in b.matches.items():\n match.matches[k] = v\n if a.name is not None:\n aa = copy(a)\n del aa[MATCHES]\n match.matches[a.name] = aa\n if b.name is not None:\n bb = copy(b)\n del bb[MATCHES]\n match.matches[b.name] = bb\n return match\n",
"role": "user"
},
{
"content": "concatenate_matches",
"role": "assistant"
}
] |
def x(self):
res = copy(self)
if MATCHES in res:
del res[MATCHES]
if NAME in res:
del res[NAME]
res = {self.name: res}
for k, v in self.matches.items():
res[k] = v
if NAME in res[k]:
del res[k][NAME]
return res
|
dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n res = copy(self)\n if MATCHES in res:\n del res[MATCHES]\n if NAME in res:\n del res[NAME]\n res = {self.name: res}\n for k, v in self.matches.items():\n res[k] = v\n if NAME in res[k]:\n del res[k][NAME]\n return res\n",
"role": "user"
},
{
"content": "dict",
"role": "assistant"
}
] |
def x(markers):
return re.compile('|'.join([re.escape(c) for c in markers]))
|
regex_from_markers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(markers):\n return re.compile('|'.join([re.escape(c) for c in markers]))\n",
"role": "user"
},
{
"content": "regex_from_markers",
"role": "assistant"
}
] |
def x(word):
if six.PY2:
if isinstance(word, unicode):
return word.encode('utf-8')
else:
return word.decode('utf-8').encode('utf-8')
else:
if isinstance(word, bytes):
return word.decode('utf-8')
return word
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word):\n if six.PY2:\n if isinstance(word, unicode):\n return word.encode('utf-8')\n else:\n return word.decode('utf-8').encode('utf-8')\n else:\n if isinstance(word, bytes):\n return word.decode('utf-8')\n return word\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(morphresult, trim_phonetic, trim_compound):
word, analysis = morphresult
return {'text': deconvert(word), 'analysis': [postprocess_analysis(a,
trim_phonetic, trim_compound) for a in analysis]}
|
postprocess_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(morphresult, trim_phonetic, trim_compound):\n word, analysis = morphresult\n return {'text': deconvert(word), 'analysis': [postprocess_analysis(a,\n trim_phonetic, trim_compound) for a in analysis]}\n",
"role": "user"
},
{
"content": "postprocess_result",
"role": "assistant"
}
] |
def x(root):
global phonetic_markers
global phonetic_regex
if root in phonetic_markers:
return root
else:
return phonetic_regex.sub('', root)
|
trim_phonetics
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n global phonetic_markers\n global phonetic_regex\n if root in phonetic_markers:\n return root\n else:\n return phonetic_regex.sub('', root)\n",
"role": "user"
},
{
"content": "trim_phonetics",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.