source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, url):
segments = url.split('/')
if segments[0] == '':
root = self.rootURL(self.request)
if segments[1] == 'Mantissa':
root = root.child('static').child('mantissa-base')
segments = segments[2:]
elif segments[1] in self.installedOfferingNames:
root = root.child('static').child(segments[1])
segments = segments[2:]
for seg in segments:
root = root.child(seg)
return str(root)
return url
| replace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n segments = url.split('/')\n if segments[0] == '':\n root = self.rootURL(self.request)\n if segments[1] == 'Mantissa':\n root = root.child('static').child('mantissa-base')\n segments = segments[2:]\n elif segments[1] in self.installedOfferingNames:\n root = root.child('static').child(segments[1])\n segments = segments[2:]\n for seg in segments:\n root = root.child(seg)\n return str(root)\n return url\n",
"role": "user"
},
{
"content": "replace",
"role": "assistant"
}
] |
def x(self):
stylesheet = ''.join(self._buffer)
parser = CSSParser()
css = parser.parseString(stylesheet)
replaceUrls(css, self._replace)
self.request.write(css.cssText)
return self.request.finish()
| finish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n stylesheet = ''.join(self._buffer)\n parser = CSSParser()\n css = parser.parseString(stylesheet)\n replaceUrls(css, self._replace)\n self.request.write(css.cssText)\n return self.request.finish()\n",
"role": "user"
},
{
"content": "finish",
"role": "assistant"
}
] |
def x(self, hostname=None):
warnings.warn(
'Use ISiteURLGenerator.rootURL instead of WebSite.cleartextRoot.',
category=DeprecationWarning, stacklevel=2)
if self.store.parent is not None:
generator = ISiteURLGenerator(self.store.parent)
else:
generator = ISiteURLGenerator(self.store)
return generator.cleartextRoot(hostname)
| cleartextRoot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hostname=None):\n warnings.warn(\n 'Use ISiteURLGenerator.rootURL instead of WebSite.cleartextRoot.',\n category=DeprecationWarning, stacklevel=2)\n if self.store.parent is not None:\n generator = ISiteURLGenerator(self.store.parent)\n else:\n generator = ISiteURLGenerator(self.store)\n return generator.cleartextRoot(hostname)\n",
"role": "user"
},
{
"content": "cleartextRoot",
"role": "assistant"
}
] |
def x(self, request):
warnings.warn('Use ISiteURLGenerator.rootURL instead of WebSite.rootURL.',
category=DeprecationWarning, stacklevel=2)
if self.store.parent is not None:
generator = ISiteURLGenerator(self.store.parent)
else:
generator = ISiteURLGenerator(self.store)
return generator.rootURL(request)
| rootURL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n warnings.warn('Use ISiteURLGenerator.rootURL instead of WebSite.rootURL.',\n category=DeprecationWarning, stacklevel=2)\n if self.store.parent is not None:\n generator = ISiteURLGenerator(self.store.parent)\n else:\n generator = ISiteURLGenerator(self.store)\n return generator.rootURL(request)\n",
"role": "user"
},
{
"content": "rootURL",
"role": "assistant"
}
] |
def x(self, req, webViewer):
from xmantissa.ixmantissa import IWebTranslator, IPreferenceAggregator
return URL.fromString(IWebTranslator(self.store).linkTo(
IPreferenceAggregator(self.store).storeID))
| rootChild_resetPassword | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, webViewer):\n from xmantissa.ixmantissa import IWebTranslator, IPreferenceAggregator\n return URL.fromString(IWebTranslator(self.store).linkTo(\n IPreferenceAggregator(self.store).storeID))\n",
"role": "user"
},
{
"content": "rootChild_resetPassword",
"role": "assistant"
}
] |
def x(cls, siteStore, apiName):
return siteStore.findUnique(cls, cls.apiName == apiName, default=None)
| getKeyForAPI | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, siteStore, apiName):\n return siteStore.findUnique(cls, cls.apiName == apiName, default=None)\n",
"role": "user"
},
{
"content": "getKeyForAPI",
"role": "assistant"
}
] |
def x(cls, siteStore, apiName, apiKey):
existingKey = cls.getKeyForAPI(siteStore, apiName)
if existingKey is None:
return cls(store=siteStore, apiName=apiName, apiKey=apiKey)
existingKey.apiKey = apiKey
return existingKey
| setKeyForAPI | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, siteStore, apiName, apiKey):\n existingKey = cls.getKeyForAPI(siteStore, apiName)\n if existingKey is None:\n return cls(store=siteStore, apiName=apiName, apiKey=apiKey)\n existingKey.apiKey = apiKey\n return existingKey\n",
"role": "user"
},
{
"content": "setKeyForAPI",
"role": "assistant"
}
] |
def x(self, request):
host = request.getHeader('host') or self.hostname
if ':' in host:
host = host.split(':', 1)[0]
for domain in ([self.hostname] + getDomainNames(self.store)):
if host == domain or host.startswith('www.') and host[len('www.'):
] == domain:
return URL(scheme='', netloc='', pathsegs=[''])
if request.isSecure():
return self.encryptedRoot(self.hostname)
else:
return self.cleartextRoot(self.hostname)
| rootURL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n host = request.getHeader('host') or self.hostname\n if ':' in host:\n host = host.split(':', 1)[0]\n for domain in ([self.hostname] + getDomainNames(self.store)):\n if host == domain or host.startswith('www.') and host[len('www.'):\n ] == domain:\n return URL(scheme='', netloc='', pathsegs=[''])\n if request.isSecure():\n return self.encryptedRoot(self.hostname)\n else:\n return self.cleartextRoot(self.hostname)\n",
"role": "user"
},
{
"content": "rootURL",
"role": "assistant"
}
] |
def x(self):
checkers = [self.loginSystem, AllowAnonymousAccess()]
guardedRoot = PersistentSessionWrapper(self.store, Portal(self.
loginSystem, checkers), domains=[self.hostname])
unguardedRoot = UnguardedWrapper(self.store, guardedRoot)
securingRoot = SecuringWrapper(self, unguardedRoot)
logPath = None
if self.httpLog is not None:
logPath = self.httpLog.path
return AxiomSite(self.store, securingRoot, logPath=logPath)
| getFactory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n checkers = [self.loginSystem, AllowAnonymousAccess()]\n guardedRoot = PersistentSessionWrapper(self.store, Portal(self.\n loginSystem, checkers), domains=[self.hostname])\n unguardedRoot = UnguardedWrapper(self.store, guardedRoot)\n securingRoot = SecuringWrapper(self, unguardedRoot)\n logPath = None\n if self.httpLog is not None:\n logPath = self.httpLog.path\n return AxiomSite(self.store, securingRoot, logPath=logPath)\n",
"role": "user"
},
{
"content": "getFactory",
"role": "assistant"
}
] |
def x(self, context):
offeringTech = IOfferingTechnician(self.siteStore)
installedOfferings = offeringTech.getInstalledOfferings()
offeringsWithContent = dict([(offering.name, offering.staticContentPath
) for offering in installedOfferings.itervalues() if offering.
staticContentPath])
return StaticContent(offeringsWithContent, {})
| child_static | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n offeringTech = IOfferingTechnician(self.siteStore)\n installedOfferings = offeringTech.getInstalledOfferings()\n offeringsWithContent = dict([(offering.name, offering.staticContentPath\n ) for offering in installedOfferings.itervalues() if offering.\n staticContentPath])\n return StaticContent(offeringsWithContent, {})\n",
"role": "user"
},
{
"content": "child_static",
"role": "assistant"
}
] |
def x(self, context, segments):
shortcut = getattr(self, 'child_' + segments[0], None)
if shortcut:
res = shortcut(context)
if res is not None:
return res, segments[1:]
req = IRequest(context)
for plg in self.siteStore.powerupsFor(ISessionlessSiteRootPlugin):
spr = getattr(plg, 'sessionlessProduceResource', None)
if spr is not None:
childAndSegments = spr(req, segments)
else:
childAndSegments = plg.resourceFactory(segments)
if childAndSegments is not None:
return childAndSegments
return self.guardedRoot.locateChild(context, segments)
| locateChild | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, segments):\n shortcut = getattr(self, 'child_' + segments[0], None)\n if shortcut:\n res = shortcut(context)\n if res is not None:\n return res, segments[1:]\n req = IRequest(context)\n for plg in self.siteStore.powerupsFor(ISessionlessSiteRootPlugin):\n spr = getattr(plg, 'sessionlessProduceResource', None)\n if spr is not None:\n childAndSegments = spr(req, segments)\n else:\n childAndSegments = plg.resourceFactory(segments)\n if childAndSegments is not None:\n return childAndSegments\n return self.guardedRoot.locateChild(context, segments)\n",
"role": "user"
},
{
"content": "locateChild",
"role": "assistant"
}
] |
def x(self, context, segments):
request = IRequest(context)
if request.isSecure():
return self.wrappedResource, segments
return _SecureWrapper(self.urlGenerator, self.wrappedResource), segments
| locateChild | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, segments):\n request = IRequest(context)\n if request.isSecure():\n return self.wrappedResource, segments\n return _SecureWrapper(self.urlGenerator, self.wrappedResource), segments\n",
"role": "user"
},
{
"content": "locateChild",
"role": "assistant"
}
] |
def x(self, context):
request = IRequest(context)
if request.isSecure():
renderer = self.wrappedResource
else:
renderer = _SecureWrapper(self.urlGenerator, self.wrappedResource)
return renderer.renderHTTP(context)
| renderHTTP | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n request = IRequest(context)\n if request.isSecure():\n renderer = self.wrappedResource\n else:\n renderer = _SecureWrapper(self.urlGenerator, self.wrappedResource)\n return renderer.renderHTTP(context)\n",
"role": "user"
},
{
"content": "renderHTTP",
"role": "assistant"
}
] |
def x(self, context):
if getattr(self.wrappedResource, 'needsSecure', False):
request = IRequest(context)
url = self.urlGenerator.encryptedRoot()
if url is not None:
for seg in request.prepath:
url = url.child(seg)
return url
return self.wrappedResource.renderHTTP(context)
| renderHTTP | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n if getattr(self.wrappedResource, 'needsSecure', False):\n request = IRequest(context)\n url = self.urlGenerator.encryptedRoot()\n if url is not None:\n for seg in request.prepath:\n url = url.child(seg)\n return url\n return self.wrappedResource.renderHTTP(context)\n",
"role": "user"
},
{
"content": "renderHTTP",
"role": "assistant"
}
] |
def x(self, context, segments):
name = segments[0]
try:
staticContent = self.staticPaths[name]
except KeyError:
return NotFound
else:
resource = File(staticContent.path)
resource.processors = self.processors
return resource, segments[1:]
return NotFound
| locateChild | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, segments):\n name = segments[0]\n try:\n staticContent = self.staticPaths[name]\n except KeyError:\n return NotFound\n else:\n resource = File(staticContent.path)\n resource.processors = self.processors\n return resource, segments[1:]\n return NotFound\n",
"role": "user"
},
{
"content": "locateChild",
"role": "assistant"
}
] |
def x(self, request_object):
if not isinstance(request_object, (MethodCall, Notification)):
raise TypeError('Invalid type for request_object')
method_name = request_object.method_name
params = request_object.params
req_id = request_object.id
request_body = self.build_request_body(method_name, params, id=req_id)
http_request = self.build_http_request_obj(request_body)
try:
response = urllib.request.urlopen(http_request)
except urllib.request.HTTPError as e:
raise CalledServiceError(e)
if not req_id:
return
response_body = json.loads(response.read().decode())
return response_body
| handle_single_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_object):\n if not isinstance(request_object, (MethodCall, Notification)):\n raise TypeError('Invalid type for request_object')\n method_name = request_object.method_name\n params = request_object.params\n req_id = request_object.id\n request_body = self.build_request_body(method_name, params, id=req_id)\n http_request = self.build_http_request_obj(request_body)\n try:\n response = urllib.request.urlopen(http_request)\n except urllib.request.HTTPError as e:\n raise CalledServiceError(e)\n if not req_id:\n return\n response_body = json.loads(response.read().decode())\n return response_body\n",
"role": "user"
},
{
"content": "handle_single_request",
"role": "assistant"
}
] |
def x(self, method_name_or_object, params=None):
if isinstance(method_name_or_object, MethodCall):
req_obj = method_name_or_object
else:
req_obj = MethodCall(method_name_or_object, params)
raw_response = self.handle_single_request(req_obj)
response_obj = Result(result=raw_response['result'], error=raw_response
['error'], id=raw_response['id'], method_call=req_obj)
return response_obj
| call_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method_name_or_object, params=None):\n if isinstance(method_name_or_object, MethodCall):\n req_obj = method_name_or_object\n else:\n req_obj = MethodCall(method_name_or_object, params)\n raw_response = self.handle_single_request(req_obj)\n response_obj = Result(result=raw_response['result'], error=raw_response\n ['error'], id=raw_response['id'], method_call=req_obj)\n return response_obj\n",
"role": "user"
},
{
"content": "call_method",
"role": "assistant"
}
] |
def x(self, method_name_or_object, params=None):
thread_pool = self._get_thread_pool()
if isinstance(method_name_or_object, MethodCall):
req_obj = method_name_or_object
else:
req_obj = MethodCall(method_name_or_object, params)
async_result_mp = thread_pool.apply_async(self.handle_single_request,
args=(req_obj,))
return AsyncMethodCall(req_obj=req_obj, async_resp_object=async_result_mp)
| call_method_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method_name_or_object, params=None):\n thread_pool = self._get_thread_pool()\n if isinstance(method_name_or_object, MethodCall):\n req_obj = method_name_or_object\n else:\n req_obj = MethodCall(method_name_or_object, params)\n async_result_mp = thread_pool.apply_async(self.handle_single_request,\n args=(req_obj,))\n return AsyncMethodCall(req_obj=req_obj, async_resp_object=async_result_mp)\n",
"role": "user"
},
{
"content": "call_method_async",
"role": "assistant"
}
] |
def x(self, method_name_or_object, params=None):
if isinstance(method_name_or_object, Notification):
req_obj = method_name_or_object
else:
req_obj = Notification(method_name_or_object, params)
self.handle_single_request(req_obj)
| notify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method_name_or_object, params=None):\n if isinstance(method_name_or_object, Notification):\n req_obj = method_name_or_object\n else:\n req_obj = Notification(method_name_or_object, params)\n self.handle_single_request(req_obj)\n",
"role": "user"
},
{
"content": "notify",
"role": "assistant"
}
] |
def x(self, request_object):
if isinstance(request_object, JsonRpcResponse):
return request_object
error = None
result = None
id_ = request_object.id
if request_object.method not in self.methods:
resp = GenericResponse.METHOD_NOT_FOUND
resp.id = id_
return resp
method = self.methods[request_object.method]
if isinstance(request_object.params, (list, tuple)):
self.call_method_from_all_plugins('on_method_call', request_object)
else:
self.call_method_from_all_plugins('on_method_call', request_object)
if self._method_is_private(method):
if not self.get_current_user():
resp = GenericResponse.ACCESS_DENIED
resp.id = id_
return resp
method = self.prepare_method_call(method, request_object.params)
_method_duration = time.time()
try:
result = yield self.call_method(method)
except Exception as e:
if isinstance(e, TypeError):
if 'got an unexpected keyword argument' in e.args[0]:
resp = GenericResponse.INVALID_PARAMS
resp.id = id_
return resp
elif 'takes' in e.args[0] and 'positional argument' in e.args[0
] and 'were given' in e.args[0]:
resp = GenericResponse.INVALID_PARAMS
resp.id = id_
return resp
elif 'missing' in e.args[0
] and 'required positional argument' in e.args[0]:
resp = GenericResponse.INVALID_PARAMS
resp.id = id_
return resp
self.call_method_from_all_plugins('on_internal_error', e)
err = GenericResponse.INTERNAL_ERROR
err.id = id_
err.error['data'] = {'class': type(e).__name__, 'info': str(e)}
return err
to_return_resp = JsonRpcResponse(result=result, error=error, id=id_)
return to_return_resp
| handle_single_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_object):\n if isinstance(request_object, JsonRpcResponse):\n return request_object\n error = None\n result = None\n id_ = request_object.id\n if request_object.method not in self.methods:\n resp = GenericResponse.METHOD_NOT_FOUND\n resp.id = id_\n return resp\n method = self.methods[request_object.method]\n if isinstance(request_object.params, (list, tuple)):\n self.call_method_from_all_plugins('on_method_call', request_object)\n else:\n self.call_method_from_all_plugins('on_method_call', request_object)\n if self._method_is_private(method):\n if not self.get_current_user():\n resp = GenericResponse.ACCESS_DENIED\n resp.id = id_\n return resp\n method = self.prepare_method_call(method, request_object.params)\n _method_duration = time.time()\n try:\n result = yield self.call_method(method)\n except Exception as e:\n if isinstance(e, TypeError):\n if 'got an unexpected keyword argument' in e.args[0]:\n resp = GenericResponse.INVALID_PARAMS\n resp.id = id_\n return resp\n elif 'takes' in e.args[0] and 'positional argument' in e.args[0\n ] and 'were given' in e.args[0]:\n resp = GenericResponse.INVALID_PARAMS\n resp.id = id_\n return resp\n elif 'missing' in e.args[0\n ] and 'required positional argument' in e.args[0]:\n resp = GenericResponse.INVALID_PARAMS\n resp.id = id_\n return resp\n self.call_method_from_all_plugins('on_internal_error', e)\n err = GenericResponse.INTERNAL_ERROR\n err.id = id_\n err.error['data'] = {'class': type(e).__name__, 'info': str(e)}\n return err\n to_return_resp = JsonRpcResponse(result=result, error=error, id=id_)\n return to_return_resp\n",
"role": "user"
},
{
"content": "handle_single_request",
"role": "assistant"
}
] |
def x(self, response_obj):
if not isinstance(response_obj, JsonRpcResponse):
raise ValueError('Expected JsonRpcResponse, but got {} instead'.
format(type(response_obj).__name__))
if not self.response_is_sent:
self.set_status(200)
self.set_header('Content-Type', 'application/json')
self.finish(response_obj.to_string())
self.response_is_sent = True
| write_single_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response_obj):\n if not isinstance(response_obj, JsonRpcResponse):\n raise ValueError('Expected JsonRpcResponse, but got {} instead'.\n format(type(response_obj).__name__))\n if not self.response_is_sent:\n self.set_status(200)\n self.set_header('Content-Type', 'application/json')\n self.finish(response_obj.to_string())\n self.response_is_sent = True\n",
"role": "user"
},
{
"content": "write_single_response",
"role": "assistant"
}
] |
def x(self, method, args):
if self._method_requires_handler_ref(method):
if isinstance(args, list):
args = [self] + args
elif isinstance(args, dict):
args['handler'] = self
if isinstance(args, list):
to_call = partial(method, *args)
elif isinstance(args, dict):
to_call = partial(method, **args)
else:
raise TypeError('args must be list or dict but got {} instead'.
format(type(args).__name__))
return to_call
| prepare_method_call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, args):\n if self._method_requires_handler_ref(method):\n if isinstance(args, list):\n args = [self] + args\n elif isinstance(args, dict):\n args['handler'] = self\n if isinstance(args, list):\n to_call = partial(method, *args)\n elif isinstance(args, dict):\n to_call = partial(method, **args)\n else:\n raise TypeError('args must be list or dict but got {} instead'.\n format(type(args).__name__))\n return to_call\n",
"role": "user"
},
{
"content": "prepare_method_call",
"role": "assistant"
}
] |
def x(self, method):
if self._method_is_async_generator(method):
result = yield method()
else:
result = yield self.executor.submit(method)
return result
| call_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method):\n if self._method_is_async_generator(method):\n result = yield method()\n else:\n result = yield self.executor.submit(method)\n return result\n",
"role": "user"
},
{
"content": "call_method",
"role": "assistant"
}
] |
def x(self, method):
if hasattr(method, 'func'):
func = method.func
else:
func = method
return getattr(func, '_is_coroutine', False)
| method_is_async_generator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method):\n if hasattr(method, 'func'):\n func = method.func\n else:\n func = method\n return getattr(func, '_is_coroutine', False)\n",
"role": "user"
},
{
"content": "method_is_async_generator",
"role": "assistant"
}
] |
def x(filename):
if sys.platform == 'cygwin':
proc = Popen(['cygpath', '-am', filename], stdout=PIPE)
return proc.communicate()[0].strip()
else:
return filename
| cygpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n if sys.platform == 'cygwin':\n proc = Popen(['cygpath', '-am', filename], stdout=PIPE)\n return proc.communicate()[0].strip()\n else:\n return filename\n",
"role": "user"
},
{
"content": "cygpath",
"role": "assistant"
}
] |
def x(srcpath, dstdir):
bits = srcpath.split('/')
bits.pop(0)
if bits[0] == 'unsigned':
bits.pop(0)
return os.path.join(dstdir, *bits)
| convertPath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(srcpath, dstdir):\n bits = srcpath.split('/')\n bits.pop(0)\n if bits[0] == 'unsigned':\n bits.pop(0)\n return os.path.join(dstdir, *bits)\n",
"role": "user"
},
{
"content": "convertPath",
"role": "assistant"
}
] |
def x(root):
retval = []
for root, dirs, files in os.walk(root):
for d in dirs:
retval.append(os.path.join(root, d))
return retval
| finddirs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n retval = []\n for root, dirs, files in os.walk(root):\n for d in dirs:\n retval.append(os.path.join(root, d))\n return retval\n",
"role": "user"
},
{
"content": "finddirs",
"role": "assistant"
}
] |
def x(n, default=_marker):
for t in getAllThemes():
fact = t.getDocFactory(n, None)
if fact is not None:
return fact
if default is _marker:
raise RuntimeError('No loader for %r anywhere' % (n,))
return default
| realGetLoader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, default=_marker):\n for t in getAllThemes():\n fact = t.getDocFactory(n, None)\n if fact is not None:\n return fact\n if default is _marker:\n raise RuntimeError('No loader for %r anywhere' % (n,))\n return default\n",
"role": "user"
},
{
"content": "realGetLoader",
"role": "assistant"
}
] |
def x(self):
l = []
for offering in getOfferings():
l.extend(offering.themes)
l.sort(key=lambda o: o.priority)
l.reverse()
return l
| realGetAllThemes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n l = []\n for offering in getOfferings():\n l.extend(offering.themes)\n l.sort(key=lambda o: o.priority)\n l.reverse()\n return l\n",
"role": "user"
},
{
"content": "realGetAllThemes",
"role": "assistant"
}
] |
def x(self):
if self._getAllThemesCache is None:
self._getAllThemesCache = self._realGetAllThemes()
return self._getAllThemesCache
| getAllThemes | [
{
"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._getAllThemesCache is None:\n self._getAllThemesCache = self._realGetAllThemes()\n return self._getAllThemesCache\n",
"role": "user"
},
{
"content": "getAllThemes",
"role": "assistant"
}
] |
def x(self, store):
l = []
for offering in getInstalledOfferings(store).itervalues():
l.extend(offering.themes)
l.sort(key=lambda o: o.priority)
l.reverse()
return l
| realGetInstalledThemes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, store):\n l = []\n for offering in getInstalledOfferings(store).itervalues():\n l.extend(offering.themes)\n l.sort(key=lambda o: o.priority)\n l.reverse()\n return l\n",
"role": "user"
},
{
"content": "realGetInstalledThemes",
"role": "assistant"
}
] |
def x(self, store):
if not store in self._getInstalledThemesCache:
self._getInstalledThemesCache[store] = self._realGetInstalledThemes(
store)
return self._getInstalledThemesCache[store]
| getInstalledThemes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, store):\n if not store in self._getInstalledThemesCache:\n self._getInstalledThemesCache[store] = self._realGetInstalledThemes(\n store)\n return self._getInstalledThemesCache[store]\n",
"role": "user"
},
{
"content": "getInstalledThemes",
"role": "assistant"
}
] |
def x(self, name, default=None):
loader = None
for theme in getInstalledThemes(self.siteStore):
loader = theme.getDocFactory(name)
if loader is not None:
return loader
return default
| getDocFactory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, default=None):\n loader = None\n for theme in getInstalledThemes(self.siteStore):\n loader = theme.getDocFactory(name)\n if loader is not None:\n return loader\n return default\n",
"role": "user"
},
{
"content": "getDocFactory",
"role": "assistant"
}
] |
def x(self, request, website):
stylesheet = self.stylesheetLocation
if stylesheet is not None:
root = website.rootURL(request)
for segment in stylesheet:
root = root.child(segment)
return tags.link(rel='stylesheet', type='text/css', href=root)
| head | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, website):\n stylesheet = self.stylesheetLocation\n if stylesheet is not None:\n root = website.rootURL(request)\n for segment in stylesheet:\n root = root.child(segment)\n return tags.link(rel='stylesheet', type='text/css', href=root)\n",
"role": "user"
},
{
"content": "head",
"role": "assistant"
}
] |
def x(self, fragmentName, default=None):
if fragmentName in self.cachedLoaders:
return self.cachedLoaders[fragmentName]
segments = fragmentName.split('/')
segments[-1] += '.html'
file = self.directory
for segment in segments:
file = file.child(segment)
if file.exists():
loader = xmlfile(file.path)
self.cachedLoaders[fragmentName] = loader
return loader
return default
| getDocFactory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fragmentName, default=None):\n if fragmentName in self.cachedLoaders:\n return self.cachedLoaders[fragmentName]\n segments = fragmentName.split('/')\n segments[-1] += '.html'\n file = self.directory\n for segment in segments:\n file = file.child(segment)\n if file.exists():\n loader = xmlfile(file.path)\n self.cachedLoaders[fragmentName] = loader\n return loader\n return default\n",
"role": "user"
},
{
"content": "getDocFactory",
"role": "assistant"
}
] |
def x(self, context, data):
if self.docFactory is None:
self.docFactory = self.getDocFactory(self.fragmentName)
return super(_ThemedMixin, self).rend(context, data)
| rend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, data):\n if self.docFactory is None:\n self.docFactory = self.getDocFactory(self.fragmentName)\n return super(_ThemedMixin, self).rend(context, data)\n",
"role": "user"
},
{
"content": "rend",
"role": "assistant"
}
] |
def x(min, max, count, colorkeyfields, bounds, filter_file_dictionary):
if min == '' and max == '' and not bounds == True:
return ''
if colorkeyfields == False and bounds == False:
block = (
"""
map.on('zoomend', function(e) {
if ( (map.getZoom() >= %s)&&(map.getZoom() <= %s) ){
if (map.hasLayer(dataLayer) != true) {
add%s()
}
}
else { map.removeLayer( dataLayer ) }
})"""
% (str(min), str(max), str(count)))
elif bounds == True:
if min == '' and max == '':
min, max = [0, 20]
if filter_file_dictionary == False:
block = (
"""
map.on('dragend',function(e) {
var outerbounds = [[map.getBounds()._southWest.lng,map.getBounds()._northEast.lat],[map.getBounds()._northEast.lng,map.getBounds()._southWest.lat]]
var outerbounds = L.bounds(outerbounds[0],outerbounds[1]);
dataLayer.eachLayer(function(layer) {
if (((outerbounds.contains(layer.feature.properties['bounds']) == true)||(outerbounds.intersects(layer.feature.properties['bounds']) == true))&&((map.getZoom() >= %s)&&(map.getZoom() <= %s))) {
layer.addTo(map)
console.log('added')
}
else {
if ( dataLayer.hasLayer(layer) == true ) {
map.removeLayer(layer)
}
}
})
});"""
% (str(min), str(max)))
else:
block = make_zoom_block_filter(min, max, filter_file_dictionary)
"""
else:
block = '''
map.on('zoomend', function(e) {
if ( (map.getZoom() >= %s)&&(map.getZoom() <= %s) ){
if (map.hasLayer(dataLayer) != true) {
map.addLayer(dataLayer)
}
}
else { map.removeLayer( dataLayer ) }
})
map.on('click',function(e) {
var skillsSelect = document.getElementById("mapStyle");
var selectedText2 = skillsSelect.options[skillsSelect.selectedIndex].text;
var selectedText2 = 'COLORKEY_' + selectedText2;
if ( (map.getZoom() >= %s)&&(map.getZoom() <= %s)&&(selectedText2 != selectedText)){
// map.addLayer(dataLayer)
dataLayer.eachLayer(function (layer) {
var style = {color: layer.feature.properties[selectedText2], weight: 6, opacity: 1}
layer.setStyle(style)
});
}
else {
}
var selectedText = selectedText2;
console.log(selectedText)
})''' % (str(min),str(max),str(min),str(max))
"""
return block
| make_zoom_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min, max, count, colorkeyfields, bounds, filter_file_dictionary):\n if min == '' and max == '' and not bounds == True:\n return ''\n if colorkeyfields == False and bounds == False:\n block = (\n \"\"\"\n\t\tmap.on('zoomend', function(e) {\n\t\t\tif ( (map.getZoom() >= %s)&&(map.getZoom() <= %s) ){ \n\t\t\t\tif (map.hasLayer(dataLayer) != true) {\n\t\t\t\t\tadd%s()\t\t\n\t\t\t\t}\n\t\t\t}\n\t\t\telse { map.removeLayer( dataLayer ) }\n\t\t})\"\"\"\n % (str(min), str(max), str(count)))\n elif bounds == True:\n if min == '' and max == '':\n min, max = [0, 20]\n if filter_file_dictionary == False:\n block = (\n \"\"\"\n\tmap.on('dragend',function(e) {\n\t\tvar outerbounds = [[map.getBounds()._southWest.lng,map.getBounds()._northEast.lat],[map.getBounds()._northEast.lng,map.getBounds()._southWest.lat]]\n\t\tvar outerbounds = L.bounds(outerbounds[0],outerbounds[1]);\n\t\tdataLayer.eachLayer(function(layer) {\n\t\t\tif (((outerbounds.contains(layer.feature.properties['bounds']) == true)||(outerbounds.intersects(layer.feature.properties['bounds']) == true))&&((map.getZoom() >= %s)&&(map.getZoom() <= %s))) { \n\t\t\t\tlayer.addTo(map) \n\t\t\t\tconsole.log('added')\n\t\t\t}\n\t\t\telse {\n\t\t\t\tif ( dataLayer.hasLayer(layer) == true ) {\n\t\t\t\t\tmap.removeLayer(layer)\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\t});\"\"\"\n % (str(min), str(max)))\n else:\n block = make_zoom_block_filter(min, max, filter_file_dictionary)\n \"\"\"\n\telse:\n\t\tblock = '''\n\tmap.on('zoomend', function(e) {\n\t\tif ( (map.getZoom() >= %s)&&(map.getZoom() <= %s) ){ \n\t\t\tif (map.hasLayer(dataLayer) != true) {\n\t\t\t\tmap.addLayer(dataLayer)\t\t\n\t\t\t}\n\t\t}\n\t\telse { map.removeLayer( dataLayer ) }\n\t})\n\tmap.on('click',function(e) {\n\t\tvar skillsSelect = document.getElementById(\"mapStyle\");\n\t\tvar selectedText2 = skillsSelect.options[skillsSelect.selectedIndex].text;\n\t\tvar selectedText2 = 'COLORKEY_' + selectedText2;\t\n\t\tif ( (map.getZoom() >= %s)&&(map.getZoom() <= %s)&&(selectedText2 != selectedText)){ \n\t\t\t\t// map.addLayer(dataLayer)\n\t\t\tdataLayer.eachLayer(function (layer) {\t\t\t\n\t\t\t\tvar style = {color: layer.feature.properties[selectedText2], weight: 6, opacity: 1}\n\t\t\t\tlayer.setStyle(style)\n\t\t\t});\n\t\t}\n\t\telse { \n\t\t\t}\n\t\tvar selectedText = selectedText2;\n\t\tconsole.log(selectedText)\n\t\n\t})''' % (str(min),str(max),str(min),str(max))\n\t\"\"\"\n return block\n",
"role": "user"
},
{
"content": "make_zoom_block",
"role": "assistant"
}
] |
def x(varblock, count, colorline, element, zoomblock, filename,
sidebarstring, colorkeyfields):
start = (
"""
function addDataToMap%s(data, map) {
var dataLayer = L.geoJson(data, {
onEachFeature: function(feature, layer) {"""
% count)
if count == 1 and colorkeyfields == False:
end = """
layer.bindPopup(popupText, {autoPan:false, maxHeight:500, maxWidth:350} ); }
});
dataLayer.addTo(map);
console.log(map.fitBounds(dataLayer.getBounds()))};
};"""
else:
end = """
layer.bindPopup(popupText, {autoPan:false, maxHeight:500, maxWidth:350} ); }
});
dataLayer.addTo(map);
};
}"""
"""
else:
end=""\"
layer.bindPopup(popupText, {autoPan:false, maxHeight:500, maxWidth:350} ); };
});
dataLayer.addTo(map);
console.log(map.fitBounds(dataLayer.getBounds()));
setTimeout(function() {
dataLayer.clearLayers();
},%s);
}
}
setInterval(add%s,%s)""\" % (time,count,time)
"""
total = ''
if not zoomblock == '' and not colorkeyfields == False:
pass
if not zoomblock == '':
end = end.replace('dataLayer.addTo(map);', zoomblock)
for row in varblock:
total += row
if element == 'Point':
return start + total + colorline + sidebarstring + end
else:
return start + total + '\n' + colorline + sidebarstring + end
| making_blockstr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(varblock, count, colorline, element, zoomblock, filename,\n sidebarstring, colorkeyfields):\n start = (\n \"\"\"\n\tfunction addDataToMap%s(data, map) {\n\t\tvar dataLayer = L.geoJson(data, {\n\t\t\tonEachFeature: function(feature, layer) {\"\"\"\n % count)\n if count == 1 and colorkeyfields == False:\n end = \"\"\"\n\t\t layer.bindPopup(popupText, {autoPan:false, maxHeight:500, maxWidth:350} ); }\n\t });\n\t dataLayer.addTo(map);\n\tconsole.log(map.fitBounds(dataLayer.getBounds()))};\n\t};\"\"\"\n else:\n end = \"\"\"\n\t\t layer.bindPopup(popupText, {autoPan:false, maxHeight:500, maxWidth:350} ); }\n\t });\n\t dataLayer.addTo(map);\n\t\n\t};\n\t}\"\"\"\n \"\"\"\n\telse:\n\t\tend=\"\"\\\"\n\t layer.bindPopup(popupText, {autoPan:false, maxHeight:500, maxWidth:350} ); };\n });\n \tdataLayer.addTo(map);\nconsole.log(map.fitBounds(dataLayer.getBounds()));\n\t\tsetTimeout(function() {\n\t\t\t\tdataLayer.clearLayers();\n\t\t},%s);\n\t}\n}\nsetInterval(add%s,%s)\"\"\\\" % (time,count,time)\n\t\"\"\"\n total = ''\n if not zoomblock == '' and not colorkeyfields == False:\n pass\n if not zoomblock == '':\n end = end.replace('dataLayer.addTo(map);', zoomblock)\n for row in varblock:\n total += row\n if element == 'Point':\n return start + total + colorline + sidebarstring + end\n else:\n return start + total + '\\n' + colorline + sidebarstring + end\n",
"role": "user"
},
{
"content": "making_blockstr",
"role": "assistant"
}
] |
def x(exefile, destdir):
nullfd = open(os.devnull, 'w')
exefile = cygpath(os.path.abspath(exefile))
try:
check_call([SEVENZIP, 'x', exefile], cwd=destdir, stdout=nullfd,
preexec_fn=_noumask)
except Exception:
log.exception('Error unpacking exe %s to %s', exefile, destdir)
raise
nullfd.close()
| unpackexe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exefile, destdir):\n nullfd = open(os.devnull, 'w')\n exefile = cygpath(os.path.abspath(exefile))\n try:\n check_call([SEVENZIP, 'x', exefile], cwd=destdir, stdout=nullfd,\n preexec_fn=_noumask)\n except Exception:\n log.exception('Error unpacking exe %s to %s', exefile, destdir)\n raise\n nullfd.close()\n",
"role": "user"
},
{
"content": "unpackexe",
"role": "assistant"
}
] |
def x(exefile, srcdir):
exefile = cygpath(os.path.abspath(exefile))
appbundle = exefile + '.app.7z'
if os.path.exists(appbundle):
raise OSError('%s already exists' % appbundle)
files = os.listdir(srcdir)
SEVENZIP_ARGS = ['-r', '-t7z', '-mx', '-m0=BCJ2', '-m1=LZMA:d27',
'-m2=LZMA:d19:mf=bt2', '-m3=LZMA:d19:mf=bt2', '-mb0:1', '-mb0s1:2',
'-mb0s2:3', '-m1fb=128', '-m1lc=4']
stdout = tempfile.TemporaryFile()
try:
check_call([SEVENZIP, 'a'] + SEVENZIP_ARGS + [appbundle] + files,
cwd=srcdir, stdout=stdout, preexec_fn=_noumask)
except Exception:
stdout.seek(0)
data = stdout.read()
log.error(data)
log.exception('Error packing exe %s from %s', exefile, srcdir)
raise
stdout.close()
o = open(exefile, 'wb')
parts = ['checkouts/stubs/7z/7zSD.sfx.compressed',
'checkouts/stubs/tagfile/app.tag', appbundle]
for part in parts:
i = open(part)
while True:
block = i.read(4096)
if not block:
break
o.write(block)
i.close()
o.close()
os.unlink(appbundle)
| packexe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exefile, srcdir):\n exefile = cygpath(os.path.abspath(exefile))\n appbundle = exefile + '.app.7z'\n if os.path.exists(appbundle):\n raise OSError('%s already exists' % appbundle)\n files = os.listdir(srcdir)\n SEVENZIP_ARGS = ['-r', '-t7z', '-mx', '-m0=BCJ2', '-m1=LZMA:d27',\n '-m2=LZMA:d19:mf=bt2', '-m3=LZMA:d19:mf=bt2', '-mb0:1', '-mb0s1:2',\n '-mb0s2:3', '-m1fb=128', '-m1lc=4']\n stdout = tempfile.TemporaryFile()\n try:\n check_call([SEVENZIP, 'a'] + SEVENZIP_ARGS + [appbundle] + files,\n cwd=srcdir, stdout=stdout, preexec_fn=_noumask)\n except Exception:\n stdout.seek(0)\n data = stdout.read()\n log.error(data)\n log.exception('Error packing exe %s from %s', exefile, srcdir)\n raise\n stdout.close()\n o = open(exefile, 'wb')\n parts = ['checkouts/stubs/7z/7zSD.sfx.compressed',\n 'checkouts/stubs/tagfile/app.tag', appbundle]\n for part in parts:\n i = open(part)\n while True:\n block = i.read(4096)\n if not block:\n break\n o.write(block)\n i.close()\n o.close()\n os.unlink(appbundle)\n",
"role": "user"
},
{
"content": "packexe",
"role": "assistant"
}
] |
def x(filename):
log.debug('Uncompressing %s', filename)
tmpfile = '%s.tmp' % filename
os.rename(filename, tmpfile)
b = bz2.BZ2File(tmpfile)
f = open(filename, 'wb')
while True:
block = b.read(512 * 1024)
if not block:
break
f.write(block)
f.close()
b.close()
shutil.copystat(tmpfile, filename)
shutil.copymode(tmpfile, filename)
os.unlink(tmpfile)
| bunzip2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n log.debug('Uncompressing %s', filename)\n tmpfile = '%s.tmp' % filename\n os.rename(filename, tmpfile)\n b = bz2.BZ2File(tmpfile)\n f = open(filename, 'wb')\n while True:\n block = b.read(512 * 1024)\n if not block:\n break\n f.write(block)\n f.close()\n b.close()\n shutil.copystat(tmpfile, filename)\n shutil.copymode(tmpfile, filename)\n os.unlink(tmpfile)\n",
"role": "user"
},
{
"content": "bunzip2",
"role": "assistant"
}
] |
def x(marfile, destdir):
marfile = cygpath(os.path.abspath(marfile))
nullfd = open(os.devnull, 'w')
try:
check_call([MAR, '-x', marfile], cwd=destdir, stdout=nullfd,
preexec_fn=_noumask)
except Exception:
log.exception('Error unpacking mar file %s to %s', marfile, destdir)
raise
nullfd.close()
| unpackmar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(marfile, destdir):\n marfile = cygpath(os.path.abspath(marfile))\n nullfd = open(os.devnull, 'w')\n try:\n check_call([MAR, '-x', marfile], cwd=destdir, stdout=nullfd,\n preexec_fn=_noumask)\n except Exception:\n log.exception('Error unpacking mar file %s to %s', marfile, destdir)\n raise\n nullfd.close()\n",
"role": "user"
},
{
"content": "unpackmar",
"role": "assistant"
}
] |
def x(marfile, srcdir):
nullfd = open(os.devnull, 'w')
files = [f[len(srcdir) + 1:] for f in findfiles(srcdir)]
marfile = cygpath(os.path.abspath(marfile))
try:
check_call([MAR, '-c', marfile] + files, cwd=srcdir, preexec_fn=
_noumask)
except Exception:
log.exception('Error packing mar file %s from %s', marfile, srcdir)
raise
nullfd.close()
| packmar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(marfile, srcdir):\n nullfd = open(os.devnull, 'w')\n files = [f[len(srcdir) + 1:] for f in findfiles(srcdir)]\n marfile = cygpath(os.path.abspath(marfile))\n try:\n check_call([MAR, '-c', marfile] + files, cwd=srcdir, preexec_fn=\n _noumask)\n except Exception:\n log.exception('Error packing mar file %s from %s', marfile, srcdir)\n raise\n nullfd.close()\n",
"role": "user"
},
{
"content": "packmar",
"role": "assistant"
}
] |
def x(tarfile, destdir):
nullfd = open(os.devnull, 'w')
tarfile = cygpath(os.path.abspath(tarfile))
log.debug('unpack tar %s into %s', tarfile, destdir)
try:
check_call([TAR, '-xzf', tarfile], cwd=destdir, stdout=nullfd,
preexec_fn=_noumask)
except Exception:
log.exception('Error unpacking tar file %s to %s', tarfile, destdir)
raise
nullfd.close()
| unpacktar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tarfile, destdir):\n nullfd = open(os.devnull, 'w')\n tarfile = cygpath(os.path.abspath(tarfile))\n log.debug('unpack tar %s into %s', tarfile, destdir)\n try:\n check_call([TAR, '-xzf', tarfile], cwd=destdir, stdout=nullfd,\n preexec_fn=_noumask)\n except Exception:\n log.exception('Error unpacking tar file %s to %s', tarfile, destdir)\n raise\n nullfd.close()\n",
"role": "user"
},
{
"content": "unpacktar",
"role": "assistant"
}
] |
def x(tarfile, srcdir):
files = os.listdir(srcdir)
packtar(tarfile, files, srcdir)
| tar_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tarfile, srcdir):\n files = os.listdir(srcdir)\n packtar(tarfile, files, srcdir)\n",
"role": "user"
},
{
"content": "tar_dir",
"role": "assistant"
}
] |
def x(tarfile, files, srcdir):
nullfd = open(os.devnull, 'w')
tarfile = cygpath(os.path.abspath(tarfile))
log.debug('pack tar %s from folder %s with files ', tarfile, srcdir)
log.debug(files)
try:
check_call([TAR, '-czf', tarfile] + files, cwd=srcdir, stdout=
nullfd, preexec_fn=_noumask)
except Exception:
log.exception('Error packing tar file %s to %s', tarfile, srcdir)
raise
nullfd.close()
| packtar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tarfile, files, srcdir):\n nullfd = open(os.devnull, 'w')\n tarfile = cygpath(os.path.abspath(tarfile))\n log.debug('pack tar %s from folder %s with files ', tarfile, srcdir)\n log.debug(files)\n try:\n check_call([TAR, '-czf', tarfile] + files, cwd=srcdir, stdout=\n nullfd, preexec_fn=_noumask)\n except Exception:\n log.exception('Error packing tar file %s to %s', tarfile, srcdir)\n raise\n nullfd.close()\n",
"role": "user"
},
{
"content": "packtar",
"role": "assistant"
}
] |
def x(filename, destdir):
if filename.endswith('.mar'):
return unpackmar(filename, destdir)
elif filename.endswith('.exe'):
return unpackexe(filename, destdir)
elif filename.endswith('.tar') or filename.endswith('.tar.gz'
) or filename.endswith('.tgz'):
return unpacktar(filename, destdir)
else:
raise ValueError('Unknown file type: %s' % filename)
| unpackfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, destdir):\n if filename.endswith('.mar'):\n return unpackmar(filename, destdir)\n elif filename.endswith('.exe'):\n return unpackexe(filename, destdir)\n elif filename.endswith('.tar') or filename.endswith('.tar.gz'\n ) or filename.endswith('.tgz'):\n return unpacktar(filename, destdir)\n else:\n raise ValueError('Unknown file type: %s' % filename)\n",
"role": "user"
},
{
"content": "unpackfile",
"role": "assistant"
}
] |
def x(filename, srcdir):
if filename.endswith('.mar'):
return packmar(filename, srcdir)
elif filename.endswith('.exe'):
return packexe(filename, srcdir)
elif filename.endswith('.tar'):
return tar_dir(filename, srcdir)
else:
raise ValueError('Unknown file type: %s' % filename)
| packfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, srcdir):\n if filename.endswith('.mar'):\n return packmar(filename, srcdir)\n elif filename.endswith('.exe'):\n return packexe(filename, srcdir)\n elif filename.endswith('.tar'):\n return tar_dir(filename, srcdir)\n else:\n raise ValueError('Unknown file type: %s' % filename)\n",
"role": "user"
},
{
"content": "packfile",
"role": "assistant"
}
] |
def x(themeList, preferredThemeName):
for theme in themeList:
if preferredThemeName == theme.themeName:
themeList.remove(theme)
themeList.insert(0, theme)
return
| reorderForPreference | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(themeList, preferredThemeName):\n for theme in themeList:\n if preferredThemeName == theme.themeName:\n themeList.remove(theme)\n themeList.insert(0, theme)\n return\n",
"role": "user"
},
{
"content": "reorderForPreference",
"role": "assistant"
}
] |
def x(old):
new = old.upgradeVersion(PrivateApplication.typeName, 3, 4,
preferredTheme=old.preferredTheme, privateKey=old.privateKey,
website=old.website, customizedPublicPage=old.customizedPublicPage,
authenticationApplication=old.authenticationApplication,
preferenceAggregator=old.preferenceAggregator,
defaultPreferenceCollection=old.defaultPreferenceCollection,
searchAggregator=old.searchAggregator)
new.store.powerUp(new, ITemplateNameResolver)
return new
| upgradePrivateApplication3to4 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(old):\n new = old.upgradeVersion(PrivateApplication.typeName, 3, 4,\n preferredTheme=old.preferredTheme, privateKey=old.privateKey,\n website=old.website, customizedPublicPage=old.customizedPublicPage,\n authenticationApplication=old.authenticationApplication,\n preferenceAggregator=old.preferenceAggregator,\n defaultPreferenceCollection=old.defaultPreferenceCollection,\n searchAggregator=old.searchAggregator)\n new.store.powerUp(new, ITemplateNameResolver)\n return new\n",
"role": "user"
},
{
"content": "upgradePrivateApplication3to4",
"role": "assistant"
}
] |
def x(old):
new = old.upgradeVersion(PrivateApplication.typeName, 4, 5,
preferredTheme=old.preferredTheme, privateKey=old.privateKey,
website=old.website, customizedPublicPage=old.customizedPublicPage,
authenticationApplication=old.authenticationApplication,
preferenceAggregator=old.preferenceAggregator,
defaultPreferenceCollection=old.defaultPreferenceCollection,
searchAggregator=old.searchAggregator)
new.store.powerUp(new, IWebViewer)
return new
| upgradePrivateApplication4to5 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(old):\n new = old.upgradeVersion(PrivateApplication.typeName, 4, 5,\n preferredTheme=old.preferredTheme, privateKey=old.privateKey,\n website=old.website, customizedPublicPage=old.customizedPublicPage,\n authenticationApplication=old.authenticationApplication,\n preferenceAggregator=old.preferenceAggregator,\n defaultPreferenceCollection=old.defaultPreferenceCollection,\n searchAggregator=old.searchAggregator)\n new.store.powerUp(new, IWebViewer)\n return new\n",
"role": "user"
},
{
"content": "upgradePrivateApplication4to5",
"role": "assistant"
}
] |
def x(self, frag, useAthena):
username = self._privateApplication._getUsername()
cf = getattr(frag, 'customizeFor', None)
if cf is not None:
frag = cf(username)
if useAthena:
pageClass = GenericNavigationAthenaPage
else:
pageClass = GenericNavigationPage
return pageClass(self._privateApplication, frag, self.
_privateApplication.getPageComponents(), username)
| wrapNavFrag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frag, useAthena):\n username = self._privateApplication._getUsername()\n cf = getattr(frag, 'customizeFor', None)\n if cf is not None:\n frag = cf(username)\n if useAthena:\n pageClass = GenericNavigationAthenaPage\n else:\n pageClass = GenericNavigationPage\n return pageClass(self._privateApplication, frag, self.\n _privateApplication.getPageComponents(), username)\n",
"role": "user"
},
{
"content": "wrapNavFrag",
"role": "assistant"
}
] |
def x(self, ctx, data):
site = ISiteURLGenerator(self._siteStore())
return ctx.tag[site.rootURL(IRequest(ctx))]
| render_rootURL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx, data):\n site = ISiteURLGenerator(self._siteStore())\n return ctx.tag[site.rootURL(IRequest(ctx))]\n",
"role": "user"
},
{
"content": "render_rootURL",
"role": "assistant"
}
] |
def x(self, ctx, data):
return startMenu(self.translator, self.pageComponents.navigation, ctx.tag)
| render_startmenu | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx, data):\n return startMenu(self.translator, self.pageComponents.navigation, ctx.tag)\n",
"role": "user"
},
{
"content": "render_startmenu",
"role": "assistant"
}
] |
def x(self, ctx, data):
return settingsLink(self.translator, self.pageComponents.settings, ctx.tag)
| render_settingsLink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx, data):\n return settingsLink(self.translator, self.pageComponents.settings, ctx.tag)\n",
"role": "user"
},
{
"content": "render_settingsLink",
"role": "assistant"
}
] |
def x(self, ctx, data):
return applicationNavigation(ctx, self.translator, self.pageComponents.
navigation)
| render_applicationNavigation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx, data):\n return applicationNavigation(ctx, self.translator, self.pageComponents.\n navigation)\n",
"role": "user"
},
{
"content": "render_applicationNavigation",
"role": "assistant"
}
] |
def x(self, ctx, data):
key = APIKey.getKeyForAPI(self._siteStore(), APIKey.URCHIN)
if key is None:
return ''
return ctx.tag.fillSlots('urchin-key', key.apiKey)
| render_urchin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx, data):\n key = APIKey.getKeyForAPI(self._siteStore(), APIKey.URCHIN)\n if key is None:\n return ''\n return ctx.tag.fillSlots('urchin-key', key.apiKey)\n",
"role": "user"
},
{
"content": "render_urchin",
"role": "assistant"
}
] |
def x(self, ctx):
MantissaLivePage.beforeRender(self, ctx)
return _FragmentWrapperMixin.beforeRender(self, ctx)
| beforeRender | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx):\n MantissaLivePage.beforeRender(self, ctx)\n return _FragmentWrapperMixin.beforeRender(self, ctx)\n",
"role": "user"
},
{
"content": "beforeRender",
"role": "assistant"
}
] |
def x(self, ctx, name):
try:
o = self.webapp.fromWebID(name)
except _WebIDFormatException:
return None
if o is None:
return None
return self.webViewer.wrapModel(o)
| childFactory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx, name):\n try:\n o = self.webapp.fromWebID(name)\n except _WebIDFormatException:\n return None\n if o is None:\n return None\n return self.webViewer.wrapModel(o)\n",
"role": "user"
},
{
"content": "childFactory",
"role": "assistant"
}
] |
def x(self):
for l, d in getAccountNames(self.store):
return l + u'@' + d
| getUsername | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for l, d in getAccountNames(self.store):\n return l + u'@' + d\n",
"role": "user"
},
{
"content": "getUsername",
"role": "assistant"
}
] |
def x(self, childItem, parentItem):
return self.linkTo(parentItem.storeID) + '/' + self.toWebID(childItem)
| linkToWithActiveTab | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, childItem, parentItem):\n return self.linkTo(parentItem.storeID) + '/' + self.toWebID(childItem)\n",
"role": "user"
},
{
"content": "linkToWithActiveTab",
"role": "assistant"
}
] |
def x(self):
themes = getInstalledThemes(self.store.parent)
_reorderForPreference(themes, self.preferredTheme)
return themes
| preferredThemes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n themes = getInstalledThemes(self.store.parent)\n _reorderForPreference(themes, self.preferredTheme)\n return themes\n",
"role": "user"
},
{
"content": "preferredThemes",
"role": "assistant"
}
] |
def x(self, fragmentName, default=None):
themes = self._preferredThemes()
for t in themes:
fact = t.getDocFactory(fragmentName, None)
if fact is not None:
return fact
return default
| getDocFactory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fragmentName, default=None):\n themes = self._preferredThemes()\n for t in themes:\n fact = t.getDocFactory(fragmentName, None)\n if fact is not None:\n return fact\n return default\n",
"role": "user"
},
{
"content": "getDocFactory",
"role": "assistant"
}
] |
def x(self):
api = self.doapi_manager
return api._domain(api.request(self.url)['domain'])
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n api = self.doapi_manager\n return api._domain(api.request(self.url)['domain'])\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(self, obj):
return DomainRecord(obj, domain=self, doapi_manager=self.doapi_manager)
| record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n return DomainRecord(obj, domain=self, doapi_manager=self.doapi_manager)\n",
"role": "user"
},
{
"content": "record",
"role": "assistant"
}
] |
def x(self):
api = self.doapi_manager
return map(self._record, api.paginate(self.record_url, 'domain_records'))
| fetch_all_records | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n api = self.doapi_manager\n return map(self._record, api.paginate(self.record_url, 'domain_records'))\n",
"role": "user"
},
{
"content": "fetch_all_records",
"role": "assistant"
}
] |
def x(self, type, name, data, priority=None, port=None, weight=None, **kwargs):
api = self.doapi_manager
data = {'type': type, 'name': name, 'data': data, 'priority': priority,
'port': port, 'weight': weight}
data.update(kwargs)
return self._record(api.request(self.record_url, method='POST', data=
data)['domain_record'])
| create_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, name, data, priority=None, port=None, weight=None, **kwargs):\n api = self.doapi_manager\n data = {'type': type, 'name': name, 'data': data, 'priority': priority,\n 'port': port, 'weight': weight}\n data.update(kwargs)\n return self._record(api.request(self.record_url, method='POST', data=\n data)['domain_record'])\n",
"role": "user"
},
{
"content": "create_record",
"role": "assistant"
}
] |
def x(self):
return self.domain._record(self.doapi_manager.request(self.url)[
'domain_record'])
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.domain._record(self.doapi_manager.request(self.url)[\n 'domain_record'])\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(self, **attrs):
return self.domain._record(self.doapi_manager.request(self.url, method=
'PUT', data=attrs)['domain_record'])
| update_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **attrs):\n return self.domain._record(self.doapi_manager.request(self.url, method=\n 'PUT', data=attrs)['domain_record'])\n",
"role": "user"
},
{
"content": "update_record",
"role": "assistant"
}
] |
def x(self):
x0, y0 = self.skyToPix(self.ra0_deg, self.dec0_deg)
x1, y1 = self.skyToPix(self.ra0_deg + 1 / 3600.0, self.dec0_deg)
if x1 > x0:
return True
return False
| isPositiveMap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n x0, y0 = self.skyToPix(self.ra0_deg, self.dec0_deg)\n x1, y1 = self.skyToPix(self.ra0_deg + 1 / 3600.0, self.dec0_deg)\n if x1 > x0:\n return True\n return False\n",
"role": "user"
},
{
"content": "isPositiveMap",
"role": "assistant"
}
] |
def x(self, numLines=(5, 5), lineWidth=1, colour='#777777'):
x1, x2, y1, y2 = mp.axis()
ra1, dec0 = self.pixToSky(x1, y1)
ra0, dec1 = self.pixToSky(x2, y2)
xNum, yNum = numLines
self.raRange, self.decRange = self.getRaDecRanges(numLines)
a1 = np.abs(ra1 - ra0)
a2 = np.abs(min(ra0, ra1) - (max(ra0, ra1) - 360))
if a2 < a1:
if ra0 < ra1:
ra1 -= 360
else:
ra0 -= 360
lwr = min(ra0, ra1)
upr = max(ra0, ra1)
stepX = round((upr - lwr) / float(xNum))
ra_deg = np.arange(lwr - 3 * stepX, upr + 3.5 * stepX, 1, dtype=np.float)
for dec in self.decRange:
self.plotLine(ra_deg, dec, '-', color=colour, linewidth=lineWidth)
lwr = min(dec0, dec1)
upr = max(dec0, dec1)
stepY = round((upr - lwr) / float(yNum))
dec_deg = np.arange(dec0 - 3 * stepY, dec1 + 3.5 * stepY, 1, dtype=np.float
)
for ra in self.raRange:
self.plotLine(ra, dec_deg, '-', color=colour, linewidth=lineWidth)
mp.axis([x1, x2, y1, y2])
| plotGrid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, numLines=(5, 5), lineWidth=1, colour='#777777'):\n x1, x2, y1, y2 = mp.axis()\n ra1, dec0 = self.pixToSky(x1, y1)\n ra0, dec1 = self.pixToSky(x2, y2)\n xNum, yNum = numLines\n self.raRange, self.decRange = self.getRaDecRanges(numLines)\n a1 = np.abs(ra1 - ra0)\n a2 = np.abs(min(ra0, ra1) - (max(ra0, ra1) - 360))\n if a2 < a1:\n if ra0 < ra1:\n ra1 -= 360\n else:\n ra0 -= 360\n lwr = min(ra0, ra1)\n upr = max(ra0, ra1)\n stepX = round((upr - lwr) / float(xNum))\n ra_deg = np.arange(lwr - 3 * stepX, upr + 3.5 * stepX, 1, dtype=np.float)\n for dec in self.decRange:\n self.plotLine(ra_deg, dec, '-', color=colour, linewidth=lineWidth)\n lwr = min(dec0, dec1)\n upr = max(dec0, dec1)\n stepY = round((upr - lwr) / float(yNum))\n dec_deg = np.arange(dec0 - 3 * stepY, dec1 + 3.5 * stepY, 1, dtype=np.float\n )\n for ra in self.raRange:\n self.plotLine(ra, dec_deg, '-', color=colour, linewidth=lineWidth)\n mp.axis([x1, x2, y1, y2])\n",
"role": "user"
},
{
"content": "plotGrid",
"role": "assistant"
}
] |
def x(self, numLines=(5, 5)):
x1, x2, y1, y2 = mp.axis()
ra1, dec0 = self.pixToSky(x1, y1)
raRange, decRange = self.getRaDecRanges(numLines)
ax = mp.gca()
x_ticks = self.skyToPix(raRange, dec0)[0]
y_ticks = self.skyToPix(ra1, decRange)[1]
ax.xaxis.set_ticks(x_ticks)
ax.xaxis.set_ticklabels([str(int(i)) for i in raRange])
mp.xlabel('Right Ascension (deg)')
ax.yaxis.set_ticks(y_ticks)
ax.yaxis.set_ticklabels([str(int(i)) for i in decRange])
mp.ylabel('Declination (deg)')
| labelAxes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, numLines=(5, 5)):\n x1, x2, y1, y2 = mp.axis()\n ra1, dec0 = self.pixToSky(x1, y1)\n raRange, decRange = self.getRaDecRanges(numLines)\n ax = mp.gca()\n x_ticks = self.skyToPix(raRange, dec0)[0]\n y_ticks = self.skyToPix(ra1, decRange)[1]\n ax.xaxis.set_ticks(x_ticks)\n ax.xaxis.set_ticklabels([str(int(i)) for i in raRange])\n mp.xlabel('Right Ascension (deg)')\n ax.yaxis.set_ticks(y_ticks)\n ax.yaxis.set_ticklabels([str(int(i)) for i in decRange])\n mp.ylabel('Declination (deg)')\n",
"role": "user"
},
{
"content": "labelAxes",
"role": "assistant"
}
] |
def x(self, numLines):
x1, x2, y1, y2 = mp.axis()
ra0, dec0 = self.pixToSky(x1, y1)
ra1, dec1 = self.pixToSky(x2, y2)
if self.isPositiveMap():
if ra1 < ra0:
ra1 += 360
elif ra0 < ra1:
ra0 += 360
raMid = 0.5 * (ra0 + ra1)
decMid = 0.5 * (dec0 + dec1)
xNum, yNum = numLines
stepX = round((ra1 - ra0) / xNum)
stepY = round((dec1 - dec0) / yNum)
rangeX = stepX * (xNum - 1)
rangeY = stepY * (yNum - 1)
raStart = np.round(raMid - rangeX / 2.0)
decStart = np.round(decMid - rangeY / 2.0)
raRange = np.arange(raStart, raStart + stepX * xNum, stepX)
decRange = np.arange(decStart, decStart + stepY * yNum, stepY)
raRange = np.fmod(raRange, 360.0)
return raRange, decRange
| getRaDecRanges | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, numLines):\n x1, x2, y1, y2 = mp.axis()\n ra0, dec0 = self.pixToSky(x1, y1)\n ra1, dec1 = self.pixToSky(x2, y2)\n if self.isPositiveMap():\n if ra1 < ra0:\n ra1 += 360\n elif ra0 < ra1:\n ra0 += 360\n raMid = 0.5 * (ra0 + ra1)\n decMid = 0.5 * (dec0 + dec1)\n xNum, yNum = numLines\n stepX = round((ra1 - ra0) / xNum)\n stepY = round((dec1 - dec0) / yNum)\n rangeX = stepX * (xNum - 1)\n rangeY = stepY * (yNum - 1)\n raStart = np.round(raMid - rangeX / 2.0)\n decStart = np.round(decMid - rangeY / 2.0)\n raRange = np.arange(raStart, raStart + stepX * xNum, stepX)\n decRange = np.arange(decStart, decStart + stepY * yNum, stepY)\n raRange = np.fmod(raRange, 360.0)\n return raRange, decRange\n",
"role": "user"
},
{
"content": "getRaDecRanges",
"role": "assistant"
}
] |
def x(self, key, **kwargs):
return self._get('/'.join([self._endpoint, key]), payload=kwargs)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **kwargs):\n return self._get('/'.join([self._endpoint, key]), payload=kwargs)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, key, value, **kwargs):
return requests.put('{}/{}/kv/{}'.format(self.master, pyconsul.
__consul_api_version__, key), data=value, params=kwargs)
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, **kwargs):\n return requests.put('{}/{}/kv/{}'.format(self.master, pyconsul.\n __consul_api_version__, key), data=value, params=kwargs)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, **kwargs):
if not len(kwargs):
raise ValueError('no resource provided')
for resource, name in kwargs.iteritems():
endpoint = 'health/{}/{}'.format(resource, name)
return self._get(endpoint)
| health | [
{
"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 not len(kwargs):\n raise ValueError('no resource provided')\n for resource, name in kwargs.iteritems():\n endpoint = 'health/{}/{}'.format(resource, name)\n return self._get(endpoint)\n",
"role": "user"
},
{
"content": "health",
"role": "assistant"
}
] |
def x(cls, application=None):
if application:
for route in cls._routes:
application.add_handlers(route['host'], route['spec'])
else:
return [route['spec'] for route in cls._routes]
| routes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, application=None):\n if application:\n for route in cls._routes:\n application.add_handlers(route['host'], route['spec'])\n else:\n return [route['spec'] for route in cls._routes]\n",
"role": "user"
},
{
"content": "routes",
"role": "assistant"
}
] |
def x(key, webid):
if len(webid) != 16:
return None
try:
int(webid, 16)
except TypeError:
return None
except ValueError:
return None
l = list(webid)
for nybbleid in range(7, -1, -1):
a, b = _swapat(key, nybbleid)
_swap(l, b, a)
i = int(''.join(l), 16)
return i ^ key
| webIDToStoreID | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, webid):\n if len(webid) != 16:\n return None\n try:\n int(webid, 16)\n except TypeError:\n return None\n except ValueError:\n return None\n l = list(webid)\n for nybbleid in range(7, -1, -1):\n a, b = _swapat(key, nybbleid)\n _swap(l, b, a)\n i = int(''.join(l), 16)\n return i ^ key\n",
"role": "user"
},
{
"content": "webIDToStoreID",
"role": "assistant"
}
] |
def x(key, storeid):
i = key ^ storeid
l = list('%0.16x' % (i,))
for nybbleid in range(0, 8):
a, b = _swapat(key, nybbleid)
_swap(l, a, b)
return ''.join(l)
| storeIDToWebID | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, storeid):\n i = key ^ storeid\n l = list('%0.16x' % (i,))\n for nybbleid in range(0, 8):\n a, b = _swapat(key, nybbleid)\n _swap(l, a, b)\n return ''.join(l)\n",
"role": "user"
},
{
"content": "storeIDToWebID",
"role": "assistant"
}
] |
def x(self, start=None, stop=None, step=None):
if start:
self.amplitude_start = start
if stop:
self.amplitude_stop = stop
if step:
self.amplitude_step = step
self._write(('SWEEP', Integer), 2)
| start_asweep | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start=None, stop=None, step=None):\n if start:\n self.amplitude_start = start\n if stop:\n self.amplitude_stop = stop\n if step:\n self.amplitude_step = step\n self._write(('SWEEP', Integer), 2)\n",
"role": "user"
},
{
"content": "start_asweep",
"role": "assistant"
}
] |
def x(self, start=None, stop=None, step=None):
if start:
self.frequency_start = start
if stop:
self.frequency_stop = stop
if step:
self.frequency_step = step
self._write(('SWEEP', Integer), 1)
| start_fsweep | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start=None, stop=None, step=None):\n if start:\n self.frequency_start = start\n if stop:\n self.frequency_stop = stop\n if step:\n self.frequency_step = step\n self._write(('SWEEP', Integer), 1)\n",
"role": "user"
},
{
"content": "start_fsweep",
"role": "assistant"
}
] |
def x(self, trigger, edge, stop):
param = {('curve', 'rising', 'buffer'): 0, ('point', 'rising', 'buffer'
): 1, ('curve', 'falling', 'buffer'): 2, ('point', 'falling',
'buffer'): 3, ('curve', 'rising', 'halt'): 4, ('point', 'rising',
'halt'): 5, ('curve', 'falling', 'halt'): 6, ('point', 'falling',
'halt'): 7, ('curve', 'rising', 'trigger'): 8, ('curve', 'falling',
'trigger'): 9}
self._write(('TDT', Integer), param[trigger, edge, stop])
| take_data_triggered | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, trigger, edge, stop):\n param = {('curve', 'rising', 'buffer'): 0, ('point', 'rising', 'buffer'\n ): 1, ('curve', 'falling', 'buffer'): 2, ('point', 'falling',\n 'buffer'): 3, ('curve', 'rising', 'halt'): 4, ('point', 'rising',\n 'halt'): 5, ('curve', 'falling', 'halt'): 6, ('point', 'falling',\n 'halt'): 7, ('curve', 'rising', 'trigger'): 8, ('curve', 'falling',\n 'trigger'): 9}\n self._write(('TDT', Integer), param[trigger, edge, stop])\n",
"role": "user"
},
{
"content": "take_data_triggered",
"role": "assistant"
}
] |
def x(self, value):
data = {}
for n, attr in zip(self.recordType.__names__, self.attrs):
data[attr.attrname] = getattr(value, n)
return data
| decompose | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n data = {}\n for n, attr in zip(self.recordType.__names__, self.attrs):\n data[attr.attrname] = getattr(value, n)\n return data\n",
"role": "user"
},
{
"content": "decompose",
"role": "assistant"
}
] |
def x(cls, **kw):
for k, v in kw.items():
attr = getattr(cls, k, None)
if isinstance(attr, RecordAttribute):
kw.pop(k)
kw.update(attr._decompose(v))
return cls(**kw)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **kw):\n for k, v in kw.items():\n attr = getattr(cls, k, None)\n if isinstance(attr, RecordAttribute):\n kw.pop(k)\n kw.update(attr._decompose(v))\n return cls(**kw)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, row):
keyValues = row.columns
for field in QUOTE_FIELDS:
key = '%s:%s' % (HBaseDAM.QUOTE, field)
if 'time' != field and keyValues[key].value:
keyValues[key].value = float(keyValues[key].value)
return Quote(*[keyValues['%s:%s' % (HBaseDAM.QUOTE, field)].value for
field in QUOTE_FIELDS])
| rowResultToQuote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n keyValues = row.columns\n for field in QUOTE_FIELDS:\n key = '%s:%s' % (HBaseDAM.QUOTE, field)\n if 'time' != field and keyValues[key].value:\n keyValues[key].value = float(keyValues[key].value)\n return Quote(*[keyValues['%s:%s' % (HBaseDAM.QUOTE, field)].value for\n field in QUOTE_FIELDS])\n",
"role": "user"
},
{
"content": "rowResultToQuote",
"role": "assistant"
}
] |
def x(self, row):
keyValues = row.columns
for field in TICK_FIELDS:
key = '%s:%s' % (HBaseDAM.TICK, field)
if 'time' != field and keyValues[key].value:
keyValues[key].value = float(keyValues[key].value)
return Tick(*[keyValues['%s:%s' % (HBaseDAM.TICK, field)].value for
field in TICK_FIELDS])
| rowResultToTick | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n keyValues = row.columns\n for field in TICK_FIELDS:\n key = '%s:%s' % (HBaseDAM.TICK, field)\n if 'time' != field and keyValues[key].value:\n keyValues[key].value = float(keyValues[key].value)\n return Tick(*[keyValues['%s:%s' % (HBaseDAM.TICK, field)].value for\n field in TICK_FIELDS])\n",
"role": "user"
},
{
"content": "rowResultToTick",
"role": "assistant"
}
] |
def x(self, start, end):
rows = self.__hbase.scanTable(self.tableName(HBaseDAM.QUOTE), [HBaseDAM
.QUOTE], start, end)
return [self.__rowResultToQuote(row) for row in rows]
| readQuotes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end):\n rows = self.__hbase.scanTable(self.tableName(HBaseDAM.QUOTE), [HBaseDAM\n .QUOTE], start, end)\n return [self.__rowResultToQuote(row) for row in rows]\n",
"role": "user"
},
{
"content": "readQuotes",
"role": "assistant"
}
] |
def x(self, quotes):
tName = self.tableName(HBaseDAM.QUOTE)
if tName not in self.__hbase.getTableNames():
self.__hbase.createTable(tName, [ColumnDescriptor(name=HBaseDAM.
QUOTE, maxVersions=5)])
for quote in quotes:
self.__hbase.updateRow(self.tableName(HBaseDAM.QUOTE), quote.time,
[Mutation(column='%s:%s' % (HBaseDAM.QUOTE, field), value=
getattr(quote, field)) for field in QUOTE_FIELDS])
| writeQuotes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quotes):\n tName = self.tableName(HBaseDAM.QUOTE)\n if tName not in self.__hbase.getTableNames():\n self.__hbase.createTable(tName, [ColumnDescriptor(name=HBaseDAM.\n QUOTE, maxVersions=5)])\n for quote in quotes:\n self.__hbase.updateRow(self.tableName(HBaseDAM.QUOTE), quote.time,\n [Mutation(column='%s:%s' % (HBaseDAM.QUOTE, field), value=\n getattr(quote, field)) for field in QUOTE_FIELDS])\n",
"role": "user"
},
{
"content": "writeQuotes",
"role": "assistant"
}
] |
def x(self, start, end):
rows = self.__hbase.scanTable(self.tableName(HBaseDAM.TICK), [HBaseDAM.
TICK], start, end)
return [self.__rowResultToTick(row) for row in rows]
| readTicks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end):\n rows = self.__hbase.scanTable(self.tableName(HBaseDAM.TICK), [HBaseDAM.\n TICK], start, end)\n return [self.__rowResultToTick(row) for row in rows]\n",
"role": "user"
},
{
"content": "readTicks",
"role": "assistant"
}
] |
def x(self, ticks):
tName = self.tableName(HBaseDAM.TICK)
if tName not in self.__hbase.getTableNames():
self.__hbase.createTable(tName, [ColumnDescriptor(name=HBaseDAM.
TICK, maxVersions=5)])
for tick in ticks:
self.__hbase.updateRow(self.tableName(HBaseDAM.TICK), tick.time, [
Mutation(column='%s:%s' % (HBaseDAM.TICK, field), value=getattr
(tick, field)) for field in TICK_FIELDS])
| writeTicks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ticks):\n tName = self.tableName(HBaseDAM.TICK)\n if tName not in self.__hbase.getTableNames():\n self.__hbase.createTable(tName, [ColumnDescriptor(name=HBaseDAM.\n TICK, maxVersions=5)])\n for tick in ticks:\n self.__hbase.updateRow(self.tableName(HBaseDAM.TICK), tick.time, [\n Mutation(column='%s:%s' % (HBaseDAM.TICK, field), value=getattr\n (tick, field)) for field in TICK_FIELDS])\n",
"role": "user"
},
{
"content": "writeTicks",
"role": "assistant"
}
] |
def x(args=None):
import argparse
parser = argparse.ArgumentParser(description=
'Check if a celestial coordinate is inside the K2C9 microlensing superstamp.'
)
parser.add_argument('ra', nargs=1, type=float, help=
'Right Ascension in decimal degrees (J2000).')
parser.add_argument('dec', nargs=1, type=float, help=
'Declination in decimal degrees (J2000).')
args = parser.parse_args(args)
if inMicrolensRegion(args.ra[0], args.dec[0]):
print('Yes! The coordinate is inside the K2C9 superstamp.')
else:
print('Sorry, the coordinate is NOT inside the K2C9 superstamp.')
| inMicrolensRegion_main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args=None):\n import argparse\n parser = argparse.ArgumentParser(description=\n 'Check if a celestial coordinate is inside the K2C9 microlensing superstamp.'\n )\n parser.add_argument('ra', nargs=1, type=float, help=\n 'Right Ascension in decimal degrees (J2000).')\n parser.add_argument('dec', nargs=1, type=float, help=\n 'Declination in decimal degrees (J2000).')\n args = parser.parse_args(args)\n if inMicrolensRegion(args.ra[0], args.dec[0]):\n print('Yes! The coordinate is inside the K2C9 superstamp.')\n else:\n print('Sorry, the coordinate is NOT inside the K2C9 superstamp.')\n",
"role": "user"
},
{
"content": "inMicrolensRegion_main",
"role": "assistant"
}
] |
def x(ra_deg, dec_deg, padding=0):
fov = getKeplerFov(9)
try:
ch, col, row = fov.getChannelColRow(ra_deg, dec_deg,
allowIllegalReturnValues=False)
return maskInMicrolensRegion(ch, col, row, padding=padding)
except ValueError:
return False
| inMicrolensRegion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ra_deg, dec_deg, padding=0):\n fov = getKeplerFov(9)\n try:\n ch, col, row = fov.getChannelColRow(ra_deg, dec_deg,\n allowIllegalReturnValues=False)\n return maskInMicrolensRegion(ch, col, row, padding=padding)\n except ValueError:\n return False\n",
"role": "user"
},
{
"content": "inMicrolensRegion",
"role": "assistant"
}
] |
def x(ch, col, row):
try:
vertices_col = SUPERSTAMP['channels'][str(int(ch))]['vertices_col']
vertices_row = SUPERSTAMP['channels'][str(int(ch))]['vertices_row']
if isPointInsidePolygon(col, row, vertices_col, vertices_row):
return True
except KeyError:
pass
for mask in LATE_TARGETS['masks']:
if mask['channel'] == ch:
vertices_col = mask['vertices_col']
vertices_row = mask['vertices_row']
if isPointInsidePolygon(col, row, vertices_col, vertices_row):
return True
return False
| pixelInMicrolensRegion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ch, col, row):\n try:\n vertices_col = SUPERSTAMP['channels'][str(int(ch))]['vertices_col']\n vertices_row = SUPERSTAMP['channels'][str(int(ch))]['vertices_row']\n if isPointInsidePolygon(col, row, vertices_col, vertices_row):\n return True\n except KeyError:\n pass\n for mask in LATE_TARGETS['masks']:\n if mask['channel'] == ch:\n vertices_col = mask['vertices_col']\n vertices_row = mask['vertices_row']\n if isPointInsidePolygon(col, row, vertices_col, vertices_row):\n return True\n return False\n",
"role": "user"
},
{
"content": "pixelInMicrolensRegion",
"role": "assistant"
}
] |
def x(ch, col, row, padding=0):
if padding == 0:
return pixelInMicrolensRegion(ch, col, row)
combinations = [[col - padding, row], [col + padding, row], [col, row -
padding], [col, row + padding]]
for col, row in combinations:
if col < 12:
col = 12
if col > 1111:
col = 1111
if row < 20:
row = 20
if row > 1043:
row = 1043
if not pixelInMicrolensRegion(ch, col, row):
return False
return True
| maskInMicrolensRegion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ch, col, row, padding=0):\n if padding == 0:\n return pixelInMicrolensRegion(ch, col, row)\n combinations = [[col - padding, row], [col + padding, row], [col, row -\n padding], [col, row + padding]]\n for col, row in combinations:\n if col < 12:\n col = 12\n if col > 1111:\n col = 1111\n if row < 20:\n row = 20\n if row > 1043:\n row = 1043\n if not pixelInMicrolensRegion(ch, col, row):\n return False\n return True\n",
"role": "user"
},
{
"content": "maskInMicrolensRegion",
"role": "assistant"
}
] |
def x(x, y, vertices_x, vertices_y):
inside = False
for i in range(len(vertices_x)):
j = i - 1
if (vertices_x[i] > x) != (vertices_x[j] > x):
if y < (x - vertices_x[i]) * (vertices_y[i] - vertices_y[j]) / (
vertices_x[i] - vertices_x[j]) + vertices_y[i]:
inside = not inside
return inside
| isPointInsidePolygon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, vertices_x, vertices_y):\n inside = False\n for i in range(len(vertices_x)):\n j = i - 1\n if (vertices_x[i] > x) != (vertices_x[j] > x):\n if y < (x - vertices_x[i]) * (vertices_y[i] - vertices_y[j]) / (\n vertices_x[i] - vertices_x[j]) + vertices_y[i]:\n inside = not inside\n return inside\n",
"role": "user"
},
{
"content": "isPointInsidePolygon",
"role": "assistant"
}
] |
def x(self, annotate_late_targets=False, annotate_channels=False):
fov = getKeplerFov(9)
superstamp_patches = []
for ch in SUPERSTAMP['channels']:
v_col = SUPERSTAMP['channels'][ch]['vertices_col']
v_row = SUPERSTAMP['channels'][ch]['vertices_row']
radec = np.array([fov.getRaDecForChannelColRow(int(ch), v_col[idx],
v_row[idx]) for idx in range(len(v_col))])
patch = self.ax.fill(radec[:, 0], radec[:, 1], lw=0, facecolor=
'#27ae60', zorder=100)
superstamp_patches.append(patch)
late_target_patches = []
for mask in LATE_TARGETS['masks']:
ch = mask['channel']
v_col = mask['vertices_col']
v_row = mask['vertices_row']
radec = np.array([fov.getRaDecForChannelColRow(int(ch), v_col[idx],
v_row[idx]) for idx in range(len(v_col))])
patch = self.ax.fill(radec[:, 0], radec[:, 1], lw=0, facecolor=
'#27ae60', zorder=201)
late_target_patches.append(patch)
if annotate_late_targets and 'context' not in mask['name']:
self.ax.text(np.mean(radec[:, 0]), np.mean(radec[:, 1]), ' ' +
mask['name'], ha='left', va='center', zorder=950, fontsize=
10, color='#c0392b', clip_on=True)
channel_patches = []
corners = fov.getCoordsOfChannelCorners()
for ch in np.arange(1, 85, dtype=int):
if ch in fov.brokenChannels:
continue
idx = np.where(corners[:, 2] == ch)
mdl = int(corners[idx, 0][0][0])
out = int(corners[idx, 1][0][0])
ra = corners[idx, 3][0]
dec = corners[idx, 4][0]
patch = self.ax.fill(np.concatenate((ra, ra[:1])), np.concatenate((
dec, dec[:1])), lw=0, facecolor='#cccccc', zorder=50)
channel_patches.append(patch)
if annotate_channels:
txt = '{}.{}\n#{}'.format(mdl, out, ch)
self.ax.text(np.mean(ra), np.mean(dec), txt, ha='center', va=
'center', zorder=900, fontsize=14, color='#000000', clip_on
=True)
return superstamp_patches, channel_patches
| plot_outline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotate_late_targets=False, annotate_channels=False):\n fov = getKeplerFov(9)\n superstamp_patches = []\n for ch in SUPERSTAMP['channels']:\n v_col = SUPERSTAMP['channels'][ch]['vertices_col']\n v_row = SUPERSTAMP['channels'][ch]['vertices_row']\n radec = np.array([fov.getRaDecForChannelColRow(int(ch), v_col[idx],\n v_row[idx]) for idx in range(len(v_col))])\n patch = self.ax.fill(radec[:, 0], radec[:, 1], lw=0, facecolor=\n '#27ae60', zorder=100)\n superstamp_patches.append(patch)\n late_target_patches = []\n for mask in LATE_TARGETS['masks']:\n ch = mask['channel']\n v_col = mask['vertices_col']\n v_row = mask['vertices_row']\n radec = np.array([fov.getRaDecForChannelColRow(int(ch), v_col[idx],\n v_row[idx]) for idx in range(len(v_col))])\n patch = self.ax.fill(radec[:, 0], radec[:, 1], lw=0, facecolor=\n '#27ae60', zorder=201)\n late_target_patches.append(patch)\n if annotate_late_targets and 'context' not in mask['name']:\n self.ax.text(np.mean(radec[:, 0]), np.mean(radec[:, 1]), ' ' +\n mask['name'], ha='left', va='center', zorder=950, fontsize=\n 10, color='#c0392b', clip_on=True)\n channel_patches = []\n corners = fov.getCoordsOfChannelCorners()\n for ch in np.arange(1, 85, dtype=int):\n if ch in fov.brokenChannels:\n continue\n idx = np.where(corners[:, 2] == ch)\n mdl = int(corners[idx, 0][0][0])\n out = int(corners[idx, 1][0][0])\n ra = corners[idx, 3][0]\n dec = corners[idx, 4][0]\n patch = self.ax.fill(np.concatenate((ra, ra[:1])), np.concatenate((\n dec, dec[:1])), lw=0, facecolor='#cccccc', zorder=50)\n channel_patches.append(patch)\n if annotate_channels:\n txt = '{}.{}\\n#{}'.format(mdl, out, ch)\n self.ax.text(np.mean(ra), np.mean(dec), txt, ha='center', va=\n 'center', zorder=900, fontsize=14, color='#000000', clip_on\n =True)\n return superstamp_patches, channel_patches\n",
"role": "user"
},
{
"content": "plot_outline",
"role": "assistant"
}
] |
def x(self, target, rate, wait_for_stability=True):
self.field.target = target
self.field.sweep_rate = rate
self.activity = 'to setpoint'
while self.status['mode'] != 'at rest':
time.sleep(1)
| set_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, rate, wait_for_stability=True):\n self.field.target = target\n self.field.sweep_rate = rate\n self.activity = 'to setpoint'\n while self.status['mode'] != 'at rest':\n time.sleep(1)\n",
"role": "user"
},
{
"content": "set_field",
"role": "assistant"
}
] |
def x(self, measure, target, rate, delay=1):
if not hasattr(measure, '__call__'):
raise TypeError('measure parameter not callable.')
self.activity = 'hold'
self.field.target = target
self.field.sweep_rate = rate
self.activity = 'to setpoint'
while self.status['mode'] != 'at rest':
measure()
time.sleep(delay)
| scan_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, measure, target, rate, delay=1):\n if not hasattr(measure, '__call__'):\n raise TypeError('measure parameter not callable.')\n self.activity = 'hold'\n self.field.target = target\n self.field.sweep_rate = rate\n self.activity = 'to setpoint'\n while self.status['mode'] != 'at rest':\n measure()\n time.sleep(delay)\n",
"role": "user"
},
{
"content": "scan_field",
"role": "assistant"
}
] |
def x(ra, dec, name='Your object'):
plot = K2FootprintPlot()
plot.plot_galactic()
plot.plot_ecliptic()
for c in range(0, 20):
plot.plot_campaign_outline(c, facecolor='#666666')
plot.ax.scatter(ra, dec, marker='x', s=250, lw=3, color='red', zorder=500)
plot.ax.text(ra, dec - 2, name, ha='center', va='top', color='red',
fontsize=20, fontweight='bold', zorder=501)
return plot
| create_context_plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ra, dec, name='Your object'):\n plot = K2FootprintPlot()\n plot.plot_galactic()\n plot.plot_ecliptic()\n for c in range(0, 20):\n plot.plot_campaign_outline(c, facecolor='#666666')\n plot.ax.scatter(ra, dec, marker='x', s=250, lw=3, color='red', zorder=500)\n plot.ax.text(ra, dec - 2, name, ha='center', va='top', color='red',\n fontsize=20, fontweight='bold', zorder=501)\n return plot\n",
"role": "user"
},
{
"content": "create_context_plot",
"role": "assistant"
}
] |
def x(ra, dec, name='Your object', size=3):
plot = K2FootprintPlot(figsize=(8, 8))
for c in range(0, 20):
plot.plot_campaign(c)
plot.ax.scatter(ra, dec, marker='x', s=250, lw=3, color='red', zorder=500)
plot.ax.text(ra, dec - 0.05 * size, name, ha='center', va='top', color=
'red', fontsize=20, fontweight='bold', zorder=501)
plot.ax.set_xlim([ra - size / 2.0, ra + size / 2.0])
plot.ax.set_ylim([dec - size / 2.0, dec + size / 2.0])
return plot
| create_context_plot_zoomed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ra, dec, name='Your object', size=3):\n plot = K2FootprintPlot(figsize=(8, 8))\n for c in range(0, 20):\n plot.plot_campaign(c)\n plot.ax.scatter(ra, dec, marker='x', s=250, lw=3, color='red', zorder=500)\n plot.ax.text(ra, dec - 0.05 * size, name, ha='center', va='top', color=\n 'red', fontsize=20, fontweight='bold', zorder=501)\n plot.ax.set_xlim([ra - size / 2.0, ra + size / 2.0])\n plot.ax.set_ylim([dec - size / 2.0, dec + size / 2.0])\n return plot\n",
"role": "user"
},
{
"content": "create_context_plot_zoomed",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.