source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['removeWorkerType'], *args, **kwargs
)
|
removeWorkerType
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['removeWorkerType'], *args, **kwargs\n )\n",
"role": "user"
},
{
"content": "removeWorkerType",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['getSecret'], *args, **kwargs)
|
getSecret
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['getSecret'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "getSecret",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['instanceStarted'], *args, **kwargs)
|
instanceStarted
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['instanceStarted'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "instanceStarted",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['state'], *args, **kwargs)
|
state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['state'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "state",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['backendStatus'], *args, **kwargs)
|
backendStatus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['backendStatus'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "backendStatus",
"role": "assistant"
}
] |
async def set(self, *args, **kwargs):
"""
Set Secret
Set the secret associated with some key. If the secret already exists, it is
updated instead.
This method takes input: ``v1/secret.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['set'], *args, **kwargs)
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def set(self, *args, **kwargs):\n \"\"\"\n Set Secret\n\n Set the secret associated with some key. If the secret already exists, it is\n updated instead.\n\n This method takes input: ``v1/secret.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['set'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
async def remove(self, *args, **kwargs):
"""
Delete Secret
Delete the secret associated with some key.
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['remove'], *args, **kwargs)
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def remove(self, *args, **kwargs):\n \"\"\"\n Delete Secret\n\n Delete the secret associated with some key.\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['remove'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
async def get(self, *args, **kwargs):
"""
Read Secret
Read the secret associated with some key. If the secret has recently
expired, the response code 410 is returned. If the caller lacks the
scope necessary to get the secret, the call will fail with a 403 code
regardless of whether the secret exists.
This method gives output: ``v1/secret.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['get'], *args, **kwargs)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def get(self, *args, **kwargs):\n \"\"\"\n Read Secret\n\n Read the secret associated with some key. If the secret has recently\n expired, the response code 410 is returned. If the caller lacks the\n scope necessary to get the secret, the call will fail with a 403 code\n regardless of whether the secret exists.\n\n This method gives output: ``v1/secret.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['get'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(prompt_text, cast=None, default=None, prompt_ext=': ', castarg=[],
castkwarg={}):
while True:
stdout.write(prompt_text)
value = stdout.raw_input(prompt_ext)
if value == '':
return default
try:
if cast != None:
value = cast(value, *castarg, **castkwarg)
except ValueError as details:
if cast in NICE_INPUT_ERRORS:
stderr.write(ERROR_MESSAGE % (NICE_INPUT_ERRORS[cast] %
details))
else:
stderr.write(ERROR_MESSAGE % (DEFAULT_INPUT_ERRORS % str(
details)))
continue
return value
|
input_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt_text, cast=None, default=None, prompt_ext=': ', castarg=[],\n castkwarg={}):\n while True:\n stdout.write(prompt_text)\n value = stdout.raw_input(prompt_ext)\n if value == '':\n return default\n try:\n if cast != None:\n value = cast(value, *castarg, **castkwarg)\n except ValueError as details:\n if cast in NICE_INPUT_ERRORS:\n stderr.write(ERROR_MESSAGE % (NICE_INPUT_ERRORS[cast] %\n details))\n else:\n stderr.write(ERROR_MESSAGE % (DEFAULT_INPUT_ERRORS % str(\n details)))\n continue\n return value\n",
"role": "user"
},
{
"content": "input_object",
"role": "assistant"
}
] |
def x(question, values, default=None, list_values=False, ignorecase=True):
values = list(values)
for i in range(len(values)):
if not isinstance(values[i], dict):
values[i] = {'values': [values[i]]}
try:
import readline, rlcomplete
wordlist = [str(v) for value in values for v in value['values']]
completer = rlcomplete.ListCompleter(wordlist, ignorecase)
readline.parse_and_bind('tab: complete')
readline.set_completer(completer.complete)
except ImportError:
pass
valuelist = []
for item in values:
entry = display('bright', item.get('fg'), item.get('bg')) + str(item
['values'][0]) + display(['default'])
if str(item['values'][0]) == str(default):
entry = '[' + entry + ']'
if list_values:
entry += ' : ' + item['desc']
valuelist.append(entry)
if list_values:
question += os.linesep + os.linesep.join(valuelist) + os.linesep
else:
question += ' (' + '/'.join(valuelist) + ')'
return input_object(question, cast=query_cast, default=default, castarg
=[values, ignorecase])
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(question, values, default=None, list_values=False, ignorecase=True):\n values = list(values)\n for i in range(len(values)):\n if not isinstance(values[i], dict):\n values[i] = {'values': [values[i]]}\n try:\n import readline, rlcomplete\n wordlist = [str(v) for value in values for v in value['values']]\n completer = rlcomplete.ListCompleter(wordlist, ignorecase)\n readline.parse_and_bind('tab: complete')\n readline.set_completer(completer.complete)\n except ImportError:\n pass\n valuelist = []\n for item in values:\n entry = display('bright', item.get('fg'), item.get('bg')) + str(item\n ['values'][0]) + display(['default'])\n if str(item['values'][0]) == str(default):\n entry = '[' + entry + ']'\n if list_values:\n entry += ' : ' + item['desc']\n valuelist.append(entry)\n if list_values:\n question += os.linesep + os.linesep.join(valuelist) + os.linesep\n else:\n question += ' (' + '/'.join(valuelist) + ')'\n return input_object(question, cast=query_cast, default=default, castarg\n =[values, ignorecase])\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(value, answers, ignorecase=False):
if ignorecase:
value = value.lower()
for item in answers:
for a in item['values']:
if ignorecase and value == str(a).lower():
return item['values'][0]
elif value == a:
return item['values'][0]
raise ValueError("Response '%s' not understood, please try again." % value)
|
query_cast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, answers, ignorecase=False):\n if ignorecase:\n value = value.lower()\n for item in answers:\n for a in item['values']:\n if ignorecase and value == str(a).lower():\n return item['values'][0]\n elif value == a:\n return item['values'][0]\n raise ValueError(\"Response '%s' not understood, please try again.\" % value)\n",
"role": "user"
},
{
"content": "query_cast",
"role": "assistant"
}
] |
def x(prompt_text='Enter File: ', default=None, filearg=[], filekwarg={}):
try:
import readline, rlcomplete
completer = rlcomplete.PathCompleter()
readline.set_completer_delims(completer.delims)
readline.parse_and_bind('tab: complete')
readline.set_completer(completer.complete)
except ImportError:
pass
while True:
f = raw_input(prompt_text)
if f == '':
return default
f = os.path.expanduser(f)
if len(f) != 0 and f[0] == os.path.sep:
f = os.path.abspath(f)
try:
return open(f, *filearg, **filekwarg)
except IOError as e:
stderr.write(ERROR_MESSAGE % ('unable to open %s : %s' % (f, e)))
|
file_chooser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt_text='Enter File: ', default=None, filearg=[], filekwarg={}):\n try:\n import readline, rlcomplete\n completer = rlcomplete.PathCompleter()\n readline.set_completer_delims(completer.delims)\n readline.parse_and_bind('tab: complete')\n readline.set_completer(completer.complete)\n except ImportError:\n pass\n while True:\n f = raw_input(prompt_text)\n if f == '':\n return default\n f = os.path.expanduser(f)\n if len(f) != 0 and f[0] == os.path.sep:\n f = os.path.abspath(f)\n try:\n return open(f, *filearg, **filekwarg)\n except IOError as e:\n stderr.write(ERROR_MESSAGE % ('unable to open %s : %s' % (f, e)))\n",
"role": "user"
},
{
"content": "file_chooser",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['getHookStatus'], *args, **kwargs)
|
getHookStatus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['getHookStatus'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "getHookStatus",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['createHook'], *args, **kwargs)
|
createHook
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['createHook'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "createHook",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['listLastFires'], *args, **kwargs)
|
listLastFires
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['listLastFires'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "listLastFires",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
ref = {'exchange': 'task-defined', 'name': 'taskDefined', 'routingKey':
[{'constant': 'primary', 'multipleWords': False, 'name':
'routingKeyKind'}, {'multipleWords': False, 'name': 'taskId'}, {
'multipleWords': False, 'name': 'runId'}, {'multipleWords': False,
'name': 'workerGroup'}, {'multipleWords': False, 'name': 'workerId'
}, {'multipleWords': False, 'name': 'provisionerId'}, {
'multipleWords': False, 'name': 'workerType'}, {'multipleWords':
False, 'name': 'schedulerId'}, {'multipleWords': False, 'name':
'taskGroupId'}, {'multipleWords': True, 'name': 'reserved'}],
'schema': 'v1/task-defined-message.json#'}
return self._makeTopicExchange(ref, *args, **kwargs)
|
taskDefined
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n ref = {'exchange': 'task-defined', 'name': 'taskDefined', 'routingKey':\n [{'constant': 'primary', 'multipleWords': False, 'name':\n 'routingKeyKind'}, {'multipleWords': False, 'name': 'taskId'}, {\n 'multipleWords': False, 'name': 'runId'}, {'multipleWords': False,\n 'name': 'workerGroup'}, {'multipleWords': False, 'name': 'workerId'\n }, {'multipleWords': False, 'name': 'provisionerId'}, {\n 'multipleWords': False, 'name': 'workerType'}, {'multipleWords': \n False, 'name': 'schedulerId'}, {'multipleWords': False, 'name':\n 'taskGroupId'}, {'multipleWords': True, 'name': 'reserved'}],\n 'schema': 'v1/task-defined-message.json#'}\n return self._makeTopicExchange(ref, *args, **kwargs)\n",
"role": "user"
},
{
"content": "taskDefined",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
ref = {'exchange': 'task-pending', 'name': 'taskPending', 'routingKey':
[{'constant': 'primary', 'multipleWords': False, 'name':
'routingKeyKind'}, {'multipleWords': False, 'name': 'taskId'}, {
'multipleWords': False, 'name': 'runId'}, {'multipleWords': False,
'name': 'workerGroup'}, {'multipleWords': False, 'name': 'workerId'
}, {'multipleWords': False, 'name': 'provisionerId'}, {
'multipleWords': False, 'name': 'workerType'}, {'multipleWords':
False, 'name': 'schedulerId'}, {'multipleWords': False, 'name':
'taskGroupId'}, {'multipleWords': True, 'name': 'reserved'}],
'schema': 'v1/task-pending-message.json#'}
return self._makeTopicExchange(ref, *args, **kwargs)
|
taskPending
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n ref = {'exchange': 'task-pending', 'name': 'taskPending', 'routingKey':\n [{'constant': 'primary', 'multipleWords': False, 'name':\n 'routingKeyKind'}, {'multipleWords': False, 'name': 'taskId'}, {\n 'multipleWords': False, 'name': 'runId'}, {'multipleWords': False,\n 'name': 'workerGroup'}, {'multipleWords': False, 'name': 'workerId'\n }, {'multipleWords': False, 'name': 'provisionerId'}, {\n 'multipleWords': False, 'name': 'workerType'}, {'multipleWords': \n False, 'name': 'schedulerId'}, {'multipleWords': False, 'name':\n 'taskGroupId'}, {'multipleWords': True, 'name': 'reserved'}],\n 'schema': 'v1/task-pending-message.json#'}\n return self._makeTopicExchange(ref, *args, **kwargs)\n",
"role": "user"
},
{
"content": "taskPending",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
ref = {'exchange': 'task-running', 'name': 'taskRunning', 'routingKey':
[{'constant': 'primary', 'multipleWords': False, 'name':
'routingKeyKind'}, {'multipleWords': False, 'name': 'taskId'}, {
'multipleWords': False, 'name': 'runId'}, {'multipleWords': False,
'name': 'workerGroup'}, {'multipleWords': False, 'name': 'workerId'
}, {'multipleWords': False, 'name': 'provisionerId'}, {
'multipleWords': False, 'name': 'workerType'}, {'multipleWords':
False, 'name': 'schedulerId'}, {'multipleWords': False, 'name':
'taskGroupId'}, {'multipleWords': True, 'name': 'reserved'}],
'schema': 'v1/task-running-message.json#'}
return self._makeTopicExchange(ref, *args, **kwargs)
|
taskRunning
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n ref = {'exchange': 'task-running', 'name': 'taskRunning', 'routingKey':\n [{'constant': 'primary', 'multipleWords': False, 'name':\n 'routingKeyKind'}, {'multipleWords': False, 'name': 'taskId'}, {\n 'multipleWords': False, 'name': 'runId'}, {'multipleWords': False,\n 'name': 'workerGroup'}, {'multipleWords': False, 'name': 'workerId'\n }, {'multipleWords': False, 'name': 'provisionerId'}, {\n 'multipleWords': False, 'name': 'workerType'}, {'multipleWords': \n False, 'name': 'schedulerId'}, {'multipleWords': False, 'name':\n 'taskGroupId'}, {'multipleWords': True, 'name': 'reserved'}],\n 'schema': 'v1/task-running-message.json#'}\n return self._makeTopicExchange(ref, *args, **kwargs)\n",
"role": "user"
},
{
"content": "taskRunning",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
ref = {'exchange': 'artifact-created', 'name': 'artifactCreated',
'routingKey': [{'constant': 'primary', 'multipleWords': False,
'name': 'routingKeyKind'}, {'multipleWords': False, 'name':
'taskId'}, {'multipleWords': False, 'name': 'runId'}, {
'multipleWords': False, 'name': 'workerGroup'}, {'multipleWords':
False, 'name': 'workerId'}, {'multipleWords': False, 'name':
'provisionerId'}, {'multipleWords': False, 'name': 'workerType'}, {
'multipleWords': False, 'name': 'schedulerId'}, {'multipleWords':
False, 'name': 'taskGroupId'}, {'multipleWords': True, 'name':
'reserved'}], 'schema': 'v1/artifact-created-message.json#'}
return self._makeTopicExchange(ref, *args, **kwargs)
|
artifactCreated
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n ref = {'exchange': 'artifact-created', 'name': 'artifactCreated',\n 'routingKey': [{'constant': 'primary', 'multipleWords': False,\n 'name': 'routingKeyKind'}, {'multipleWords': False, 'name':\n 'taskId'}, {'multipleWords': False, 'name': 'runId'}, {\n 'multipleWords': False, 'name': 'workerGroup'}, {'multipleWords': \n False, 'name': 'workerId'}, {'multipleWords': False, 'name':\n 'provisionerId'}, {'multipleWords': False, 'name': 'workerType'}, {\n 'multipleWords': False, 'name': 'schedulerId'}, {'multipleWords': \n False, 'name': 'taskGroupId'}, {'multipleWords': True, 'name':\n 'reserved'}], 'schema': 'v1/artifact-created-message.json#'}\n return self._makeTopicExchange(ref, *args, **kwargs)\n",
"role": "user"
},
{
"content": "artifactCreated",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
ref = {'exchange': 'task-completed', 'name': 'taskCompleted',
'routingKey': [{'constant': 'primary', 'multipleWords': False,
'name': 'routingKeyKind'}, {'multipleWords': False, 'name':
'taskId'}, {'multipleWords': False, 'name': 'runId'}, {
'multipleWords': False, 'name': 'workerGroup'}, {'multipleWords':
False, 'name': 'workerId'}, {'multipleWords': False, 'name':
'provisionerId'}, {'multipleWords': False, 'name': 'workerType'}, {
'multipleWords': False, 'name': 'schedulerId'}, {'multipleWords':
False, 'name': 'taskGroupId'}, {'multipleWords': True, 'name':
'reserved'}], 'schema': 'v1/task-completed-message.json#'}
return self._makeTopicExchange(ref, *args, **kwargs)
|
taskCompleted
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n ref = {'exchange': 'task-completed', 'name': 'taskCompleted',\n 'routingKey': [{'constant': 'primary', 'multipleWords': False,\n 'name': 'routingKeyKind'}, {'multipleWords': False, 'name':\n 'taskId'}, {'multipleWords': False, 'name': 'runId'}, {\n 'multipleWords': False, 'name': 'workerGroup'}, {'multipleWords': \n False, 'name': 'workerId'}, {'multipleWords': False, 'name':\n 'provisionerId'}, {'multipleWords': False, 'name': 'workerType'}, {\n 'multipleWords': False, 'name': 'schedulerId'}, {'multipleWords': \n False, 'name': 'taskGroupId'}, {'multipleWords': True, 'name':\n 'reserved'}], 'schema': 'v1/task-completed-message.json#'}\n return self._makeTopicExchange(ref, *args, **kwargs)\n",
"role": "user"
},
{
"content": "taskCompleted",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
ref = {'exchange': 'task-failed', 'name': 'taskFailed', 'routingKey': [
{'constant': 'primary', 'multipleWords': False, 'name':
'routingKeyKind'}, {'multipleWords': False, 'name': 'taskId'}, {
'multipleWords': False, 'name': 'runId'}, {'multipleWords': False,
'name': 'workerGroup'}, {'multipleWords': False, 'name': 'workerId'
}, {'multipleWords': False, 'name': 'provisionerId'}, {
'multipleWords': False, 'name': 'workerType'}, {'multipleWords':
False, 'name': 'schedulerId'}, {'multipleWords': False, 'name':
'taskGroupId'}, {'multipleWords': True, 'name': 'reserved'}],
'schema': 'v1/task-failed-message.json#'}
return self._makeTopicExchange(ref, *args, **kwargs)
|
taskFailed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n ref = {'exchange': 'task-failed', 'name': 'taskFailed', 'routingKey': [\n {'constant': 'primary', 'multipleWords': False, 'name':\n 'routingKeyKind'}, {'multipleWords': False, 'name': 'taskId'}, {\n 'multipleWords': False, 'name': 'runId'}, {'multipleWords': False,\n 'name': 'workerGroup'}, {'multipleWords': False, 'name': 'workerId'\n }, {'multipleWords': False, 'name': 'provisionerId'}, {\n 'multipleWords': False, 'name': 'workerType'}, {'multipleWords': \n False, 'name': 'schedulerId'}, {'multipleWords': False, 'name':\n 'taskGroupId'}, {'multipleWords': True, 'name': 'reserved'}],\n 'schema': 'v1/task-failed-message.json#'}\n return self._makeTopicExchange(ref, *args, **kwargs)\n",
"role": "user"
},
{
"content": "taskFailed",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
ref = {'exchange': 'task-exception', 'name': 'taskException',
'routingKey': [{'constant': 'primary', 'multipleWords': False,
'name': 'routingKeyKind'}, {'multipleWords': False, 'name':
'taskId'}, {'multipleWords': False, 'name': 'runId'}, {
'multipleWords': False, 'name': 'workerGroup'}, {'multipleWords':
False, 'name': 'workerId'}, {'multipleWords': False, 'name':
'provisionerId'}, {'multipleWords': False, 'name': 'workerType'}, {
'multipleWords': False, 'name': 'schedulerId'}, {'multipleWords':
False, 'name': 'taskGroupId'}, {'multipleWords': True, 'name':
'reserved'}], 'schema': 'v1/task-exception-message.json#'}
return self._makeTopicExchange(ref, *args, **kwargs)
|
taskException
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n ref = {'exchange': 'task-exception', 'name': 'taskException',\n 'routingKey': [{'constant': 'primary', 'multipleWords': False,\n 'name': 'routingKeyKind'}, {'multipleWords': False, 'name':\n 'taskId'}, {'multipleWords': False, 'name': 'runId'}, {\n 'multipleWords': False, 'name': 'workerGroup'}, {'multipleWords': \n False, 'name': 'workerId'}, {'multipleWords': False, 'name':\n 'provisionerId'}, {'multipleWords': False, 'name': 'workerType'}, {\n 'multipleWords': False, 'name': 'schedulerId'}, {'multipleWords': \n False, 'name': 'taskGroupId'}, {'multipleWords': True, 'name':\n 'reserved'}], 'schema': 'v1/task-exception-message.json#'}\n return self._makeTopicExchange(ref, *args, **kwargs)\n",
"role": "user"
},
{
"content": "taskException",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
ref = {'exchange': 'task-group-resolved', 'name': 'taskGroupResolved',
'routingKey': [{'constant': 'primary', 'multipleWords': False,
'name': 'routingKeyKind'}, {'multipleWords': False, 'name':
'taskGroupId'}, {'multipleWords': False, 'name': 'schedulerId'}, {
'multipleWords': True, 'name': 'reserved'}], 'schema':
'v1/task-group-resolved.json#'}
return self._makeTopicExchange(ref, *args, **kwargs)
|
taskGroupResolved
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n ref = {'exchange': 'task-group-resolved', 'name': 'taskGroupResolved',\n 'routingKey': [{'constant': 'primary', 'multipleWords': False,\n 'name': 'routingKeyKind'}, {'multipleWords': False, 'name':\n 'taskGroupId'}, {'multipleWords': False, 'name': 'schedulerId'}, {\n 'multipleWords': True, 'name': 'reserved'}], 'schema':\n 'v1/task-group-resolved.json#'}\n return self._makeTopicExchange(ref, *args, **kwargs)\n",
"role": "user"
},
{
"content": "taskGroupResolved",
"role": "assistant"
}
] |
def x(self, text, state):
if text != self.text:
self.matches = self.completelist(text)
self.text = text
try:
return self.matches[state]
except IndexError:
return None
|
complete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, state):\n if text != self.text:\n self.matches = self.completelist(text)\n self.text = text\n try:\n return self.matches[state]\n except IndexError:\n return None\n",
"role": "user"
},
{
"content": "complete",
"role": "assistant"
}
] |
def x(prefix):
if not prefix.startswith('~'):
raise ValueError('prefix must start with ~')
try:
import pwd
except ImportError:
try:
import winpwd as pwd
except ImportError:
return []
return [('~' + u[0]) for u in pwd.getpwall() if u[0].startswith(prefix[1:])
]
|
matchuserhome
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prefix):\n if not prefix.startswith('~'):\n raise ValueError('prefix must start with ~')\n try:\n import pwd\n except ImportError:\n try:\n import winpwd as pwd\n except ImportError:\n return []\n return [('~' + u[0]) for u in pwd.getpwall() if u[0].startswith(prefix[1:])\n ]\n",
"role": "user"
},
{
"content": "matchuserhome",
"role": "assistant"
}
] |
def x(self, text):
path = os.path.expanduser(text)
if len(path) == 0 or path[0] != os.path.sep:
path = os.path.join(os.getcwd(), path)
if text == '~':
dpath = dtext = ''
bpath = '~'
files = ['~/']
elif text.startswith('~') and text.find('/', 1) < 0:
return self.matchuserhome(text)
else:
dtext = os.path.dirname(text)
dpath = os.path.dirname(path)
bpath = os.path.basename(path)
files = os.listdir(dpath)
if bpath == '':
matches = [self.buildpath(text, f) for f in files if not f.
startswith('.')]
else:
matches = [self.buildpath(dtext, f) for f in files if f.startswith(
bpath)]
if len(matches) == 0 and os.path.basename(path) == '..':
files = os.listdir(path)
matches = [os.path.join(text, f) for f in files]
return matches
|
completelist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n path = os.path.expanduser(text)\n if len(path) == 0 or path[0] != os.path.sep:\n path = os.path.join(os.getcwd(), path)\n if text == '~':\n dpath = dtext = ''\n bpath = '~'\n files = ['~/']\n elif text.startswith('~') and text.find('/', 1) < 0:\n return self.matchuserhome(text)\n else:\n dtext = os.path.dirname(text)\n dpath = os.path.dirname(path)\n bpath = os.path.basename(path)\n files = os.listdir(dpath)\n if bpath == '':\n matches = [self.buildpath(text, f) for f in files if not f.\n startswith('.')]\n else:\n matches = [self.buildpath(dtext, f) for f in files if f.startswith(\n bpath)]\n if len(matches) == 0 and os.path.basename(path) == '..':\n files = os.listdir(path)\n matches = [os.path.join(text, f) for f in files]\n return matches\n",
"role": "user"
},
{
"content": "completelist",
"role": "assistant"
}
] |
async def status(self, *args, **kwargs):
"""
Get task status
Get task status structure from `taskId`
This method gives output: ``v1/task-status-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['status'], *args, **kwargs)
|
status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def status(self, *args, **kwargs):\n \"\"\"\n Get task status\n\n Get task status structure from `taskId`\n\n This method gives output: ``v1/task-status-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['status'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "status",
"role": "assistant"
}
] |
async def listTaskGroup(self, *args, **kwargs):
"""
List Task Group
List tasks sharing the same `taskGroupId`.
As a task-group may contain an unbounded number of tasks, this end-point
may return a `continuationToken`. To continue listing tasks you must call
the `listTaskGroup` again with the `continuationToken` as the
query-string option `continuationToken`.
By default this end-point will try to return up to 1000 members in one
request. But it **may return less**, even if more tasks are available.
It may also return a `continuationToken` even though there are no more
results. However, you can only be sure to have seen all results if you
keep calling `listTaskGroup` with the last `continuationToken` until you
get a result without a `continuationToken`.
If you are not interested in listing all the members at once, you may
use the query-string option `limit` to return fewer.
This method gives output: ``v1/list-task-group-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['listTaskGroup'], *args,
**kwargs)
|
listTaskGroup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def listTaskGroup(self, *args, **kwargs):\n \"\"\"\n List Task Group\n\n List tasks sharing the same `taskGroupId`.\n\n As a task-group may contain an unbounded number of tasks, this end-point\n may return a `continuationToken`. To continue listing tasks you must call\n the `listTaskGroup` again with the `continuationToken` as the\n query-string option `continuationToken`.\n\n By default this end-point will try to return up to 1000 members in one\n request. But it **may return less**, even if more tasks are available.\n It may also return a `continuationToken` even though there are no more\n results. However, you can only be sure to have seen all results if you\n keep calling `listTaskGroup` with the last `continuationToken` until you\n get a result without a `continuationToken`.\n\n If you are not interested in listing all the members at once, you may\n use the query-string option `limit` to return fewer.\n\n This method gives output: ``v1/list-task-group-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['listTaskGroup'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "listTaskGroup",
"role": "assistant"
}
] |
async def listDependentTasks(self, *args, **kwargs):
"""
List Dependent Tasks
List tasks that depend on the given `taskId`.
As many tasks from different task-groups may dependent on a single tasks,
this end-point may return a `continuationToken`. To continue listing
tasks you must call `listDependentTasks` again with the
`continuationToken` as the query-string option `continuationToken`.
By default this end-point will try to return up to 1000 tasks in one
request. But it **may return less**, even if more tasks are available.
It may also return a `continuationToken` even though there are no more
results. However, you can only be sure to have seen all results if you
keep calling `listDependentTasks` with the last `continuationToken` until
you get a result without a `continuationToken`.
If you are not interested in listing all the tasks at once, you may
use the query-string option `limit` to return fewer.
This method gives output: ``v1/list-dependent-tasks-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['listDependentTasks'], *
args, **kwargs)
|
listDependentTasks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def listDependentTasks(self, *args, **kwargs):\n \"\"\"\n List Dependent Tasks\n\n List tasks that depend on the given `taskId`.\n\n As many tasks from different task-groups may dependent on a single tasks,\n this end-point may return a `continuationToken`. To continue listing\n tasks you must call `listDependentTasks` again with the\n `continuationToken` as the query-string option `continuationToken`.\n\n By default this end-point will try to return up to 1000 tasks in one\n request. But it **may return less**, even if more tasks are available.\n It may also return a `continuationToken` even though there are no more\n results. However, you can only be sure to have seen all results if you\n keep calling `listDependentTasks` with the last `continuationToken` until\n you get a result without a `continuationToken`.\n\n If you are not interested in listing all the tasks at once, you may\n use the query-string option `limit` to return fewer.\n\n This method gives output: ``v1/list-dependent-tasks-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['listDependentTasks'], *\n args, **kwargs)\n",
"role": "user"
},
{
"content": "listDependentTasks",
"role": "assistant"
}
] |
async def createTask(self, *args, **kwargs):
"""
Create New Task
Create a new task, this is an **idempotent** operation, so repeat it if
you get an internal server error or network connection is dropped.
**Task `deadline`**: the deadline property can be no more than 5 days
into the future. This is to limit the amount of pending tasks not being
taken care of. Ideally, you should use a much shorter deadline.
**Task expiration**: the `expires` property must be greater than the
task `deadline`. If not provided it will default to `deadline` + one
year. Notice, that artifacts created by task must expire before the task.
**Task specific routing-keys**: using the `task.routes` property you may
define task specific routing-keys. If a task has a task specific
routing-key: `<route>`, then when the AMQP message about the task is
published, the message will be CC'ed with the routing-key:
`route.<route>`. This is useful if you want another component to listen
for completed tasks you have posted. The caller must have scope
`queue:route:<route>` for each route.
**Dependencies**: any tasks referenced in `task.dependencies` must have
already been created at the time of this call.
**Scopes**: Note that the scopes required to complete this API call depend
on the content of the `scopes`, `routes`, `schedulerId`, `priority`,
`provisionerId`, and `workerType` properties of the task definition.
**Legacy Scopes**: The `queue:create-task:..` scope without a priority and
the `queue:define-task:..` and `queue:task-group-id:..` scopes are considered
legacy and should not be used. Note that the new, non-legacy scopes require
a `queue:scheduler-id:..` scope as well as scopes for the proper priority.
This method takes input: ``v1/create-task-request.json#``
This method gives output: ``v1/task-status-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['createTask'], *args, **kwargs
)
|
createTask
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def createTask(self, *args, **kwargs):\n \"\"\"\n Create New Task\n\n Create a new task, this is an **idempotent** operation, so repeat it if\n you get an internal server error or network connection is dropped.\n\n **Task `deadline`**: the deadline property can be no more than 5 days\n into the future. This is to limit the amount of pending tasks not being\n taken care of. Ideally, you should use a much shorter deadline.\n\n **Task expiration**: the `expires` property must be greater than the\n task `deadline`. If not provided it will default to `deadline` + one\n year. Notice, that artifacts created by task must expire before the task.\n\n **Task specific routing-keys**: using the `task.routes` property you may\n define task specific routing-keys. If a task has a task specific\n routing-key: `<route>`, then when the AMQP message about the task is\n published, the message will be CC'ed with the routing-key:\n `route.<route>`. This is useful if you want another component to listen\n for completed tasks you have posted. The caller must have scope\n `queue:route:<route>` for each route.\n\n **Dependencies**: any tasks referenced in `task.dependencies` must have\n already been created at the time of this call.\n\n **Scopes**: Note that the scopes required to complete this API call depend\n on the content of the `scopes`, `routes`, `schedulerId`, `priority`,\n `provisionerId`, and `workerType` properties of the task definition.\n\n **Legacy Scopes**: The `queue:create-task:..` scope without a priority and\n the `queue:define-task:..` and `queue:task-group-id:..` scopes are considered\n legacy and should not be used. Note that the new, non-legacy scopes require\n a `queue:scheduler-id:..` scope as well as scopes for the proper priority.\n\n This method takes input: ``v1/create-task-request.json#``\n\n This method gives output: ``v1/task-status-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['createTask'], *args, **kwargs\n )\n",
"role": "user"
},
{
"content": "createTask",
"role": "assistant"
}
] |
async def claimWork(self, *args, **kwargs):
"""
Claim Work
Claim pending task(s) for the given `provisionerId`/`workerType` queue.
If any work is available (even if fewer than the requested number of
tasks, this will return immediately. Otherwise, it will block for tens of
seconds waiting for work. If no work appears, it will return an emtpy
list of tasks. Callers should sleep a short while (to avoid denial of
service in an error condition) and call the endpoint again. This is a
simple implementation of "long polling".
This method takes input: ``v1/claim-work-request.json#``
This method gives output: ``v1/claim-work-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['claimWork'], *args, **kwargs)
|
claimWork
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def claimWork(self, *args, **kwargs):\n \"\"\"\n Claim Work\n\n Claim pending task(s) for the given `provisionerId`/`workerType` queue.\n\n If any work is available (even if fewer than the requested number of\n tasks, this will return immediately. Otherwise, it will block for tens of\n seconds waiting for work. If no work appears, it will return an emtpy\n list of tasks. Callers should sleep a short while (to avoid denial of\n service in an error condition) and call the endpoint again. This is a\n simple implementation of \"long polling\".\n\n This method takes input: ``v1/claim-work-request.json#``\n\n This method gives output: ``v1/claim-work-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['claimWork'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "claimWork",
"role": "assistant"
}
] |
async def claimTask(self, *args, **kwargs):
"""
Claim Task
claim a task - never documented
This method takes input: ``v1/task-claim-request.json#``
This method gives output: ``v1/task-claim-response.json#``
This method is ``deprecated``
"""
return await self._makeApiCall(self.funcinfo['claimTask'], *args, **kwargs)
|
claimTask
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def claimTask(self, *args, **kwargs):\n \"\"\"\n Claim Task\n\n claim a task - never documented\n\n This method takes input: ``v1/task-claim-request.json#``\n\n This method gives output: ``v1/task-claim-response.json#``\n\n This method is ``deprecated``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['claimTask'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "claimTask",
"role": "assistant"
}
] |
async def reclaimTask(self, *args, **kwargs):
"""
Reclaim task
Refresh the claim for a specific `runId` for given `taskId`. This updates
the `takenUntil` property and returns a new set of temporary credentials
for performing requests on behalf of the task. These credentials should
be used in-place of the credentials returned by `claimWork`.
The `reclaimTask` requests serves to:
* Postpone `takenUntil` preventing the queue from resolving
`claim-expired`,
* Refresh temporary credentials used for processing the task, and
* Abort execution if the task/run have been resolved.
If the `takenUntil` timestamp is exceeded the queue will resolve the run
as _exception_ with reason `claim-expired`, and proceeded to retry to the
task. This ensures that tasks are retried, even if workers disappear
without warning.
If the task is resolved, this end-point will return `409` reporting
`RequestConflict`. This typically happens if the task have been canceled
or the `task.deadline` have been exceeded. If reclaiming fails, workers
should abort the task and forget about the given `runId`. There is no
need to resolve the run or upload artifacts.
This method gives output: ``v1/task-reclaim-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['reclaimTask'], *args, **
kwargs)
|
reclaimTask
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def reclaimTask(self, *args, **kwargs):\n \"\"\"\n Reclaim task\n\n Refresh the claim for a specific `runId` for given `taskId`. This updates\n the `takenUntil` property and returns a new set of temporary credentials\n for performing requests on behalf of the task. These credentials should\n be used in-place of the credentials returned by `claimWork`.\n\n The `reclaimTask` requests serves to:\n * Postpone `takenUntil` preventing the queue from resolving\n `claim-expired`,\n * Refresh temporary credentials used for processing the task, and\n * Abort execution if the task/run have been resolved.\n\n If the `takenUntil` timestamp is exceeded the queue will resolve the run\n as _exception_ with reason `claim-expired`, and proceeded to retry to the\n task. This ensures that tasks are retried, even if workers disappear\n without warning.\n\n If the task is resolved, this end-point will return `409` reporting\n `RequestConflict`. This typically happens if the task have been canceled\n or the `task.deadline` have been exceeded. If reclaiming fails, workers\n should abort the task and forget about the given `runId`. There is no\n need to resolve the run or upload artifacts.\n\n This method gives output: ``v1/task-reclaim-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['reclaimTask'], *args, **\n kwargs)\n",
"role": "user"
},
{
"content": "reclaimTask",
"role": "assistant"
}
] |
async def reportCompleted(self, *args, **kwargs):
"""
Report Run Completed
Report a task completed, resolving the run as `completed`.
This method gives output: ``v1/task-status-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['reportCompleted'], *args,
**kwargs)
|
reportCompleted
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def reportCompleted(self, *args, **kwargs):\n \"\"\"\n Report Run Completed\n\n Report a task completed, resolving the run as `completed`.\n\n This method gives output: ``v1/task-status-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['reportCompleted'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "reportCompleted",
"role": "assistant"
}
] |
async def getArtifact(self, *args, **kwargs):
"""
Get Artifact from Run
Get artifact by `<name>` from a specific run.
**Public Artifacts**, in-order to get an artifact you need the scope
`queue:get-artifact:<name>`, where `<name>` is the name of the artifact.
But if the artifact `name` starts with `public/`, authentication and
authorization is not necessary to fetch the artifact.
**API Clients**, this method will redirect you to the artifact, if it is
stored externally. Either way, the response may not be JSON. So API
client users might want to generate a signed URL for this end-point and
use that URL with an HTTP client that can handle responses correctly.
**Downloading artifacts**
There are some special considerations for those http clients which download
artifacts. This api endpoint is designed to be compatible with an HTTP 1.1
compliant client, but has extra features to ensure the download is valid.
It is strongly recommend that consumers use either taskcluster-lib-artifact (JS),
taskcluster-lib-artifact-go (Go) or the CLI written in Go to interact with
artifacts.
In order to download an artifact the following must be done:
1. Obtain queue url. Building a signed url with a taskcluster client is
recommended
1. Make a GET request which does not follow redirects
1. In all cases, if specified, the
x-taskcluster-location-{content,transfer}-{sha256,length} values must be
validated to be equal to the Content-Length and Sha256 checksum of the
final artifact downloaded. as well as any intermediate redirects
1. If this response is a 500-series error, retry using an exponential
backoff. No more than 5 retries should be attempted
1. If this response is a 400-series error, treat it appropriately for
your context. This might be an error in responding to this request or
an Error storage type body. This request should not be retried.
1. If this response is a 200-series response, the response body is the artifact.
If the x-taskcluster-location-{content,transfer}-{sha256,length} and
x-taskcluster-location-content-encoding are specified, they should match
this response body
1. If the response type is a 300-series redirect, the artifact will be at the
location specified by the `Location` header. There are multiple artifact storage
types which use a 300-series redirect.
1. For all redirects followed, the user must verify that the content-sha256, content-length,
transfer-sha256, transfer-length and content-encoding match every further request. The final
artifact must also be validated against the values specified in the original queue response
1. Caching of requests with an x-taskcluster-artifact-storage-type value of `reference`
must not occur
1. A request which has x-taskcluster-artifact-storage-type value of `blob` and does not
have x-taskcluster-location-content-sha256 or x-taskcluster-location-content-length
must be treated as an error
**Headers**
The following important headers are set on the response to this method:
* location: the url of the artifact if a redirect is to be performed
* x-taskcluster-artifact-storage-type: the storage type. Example: blob, s3, error
The following important headers are set on responses to this method for Blob artifacts
* x-taskcluster-location-content-sha256: the SHA256 of the artifact
*after* any content-encoding is undone. Sha256 is hex encoded (e.g. [0-9A-Fa-f]{64})
* x-taskcluster-location-content-length: the number of bytes *after* any content-encoding
is undone
* x-taskcluster-location-transfer-sha256: the SHA256 of the artifact
*before* any content-encoding is undone. This is the SHA256 of what is sent over
the wire. Sha256 is hex encoded (e.g. [0-9A-Fa-f]{64})
* x-taskcluster-location-transfer-length: the number of bytes *after* any content-encoding
is undone
* x-taskcluster-location-content-encoding: the content-encoding used. It will either
be `gzip` or `identity` right now. This is hardcoded to a value set when the artifact
was created and no content-negotiation occurs
* x-taskcluster-location-content-type: the content-type of the artifact
**Caching**, artifacts may be cached in data centers closer to the
workers in-order to reduce bandwidth costs. This can lead to longer
response times. Caching can be skipped by setting the header
`x-taskcluster-skip-cache: true`, this should only be used for resources
where request volume is known to be low, and caching not useful.
(This feature may be disabled in the future, use is sparingly!)
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['getArtifact'], *args, **
kwargs)
|
getArtifact
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def getArtifact(self, *args, **kwargs):\n \"\"\"\n Get Artifact from Run\n\n Get artifact by `<name>` from a specific run.\n\n **Public Artifacts**, in-order to get an artifact you need the scope\n `queue:get-artifact:<name>`, where `<name>` is the name of the artifact.\n But if the artifact `name` starts with `public/`, authentication and\n authorization is not necessary to fetch the artifact.\n\n **API Clients**, this method will redirect you to the artifact, if it is\n stored externally. Either way, the response may not be JSON. So API\n client users might want to generate a signed URL for this end-point and\n use that URL with an HTTP client that can handle responses correctly.\n\n **Downloading artifacts**\n There are some special considerations for those http clients which download\n artifacts. This api endpoint is designed to be compatible with an HTTP 1.1\n compliant client, but has extra features to ensure the download is valid.\n It is strongly recommend that consumers use either taskcluster-lib-artifact (JS),\n taskcluster-lib-artifact-go (Go) or the CLI written in Go to interact with\n artifacts.\n\n In order to download an artifact the following must be done:\n\n 1. Obtain queue url. Building a signed url with a taskcluster client is\n recommended\n 1. Make a GET request which does not follow redirects\n 1. In all cases, if specified, the\n x-taskcluster-location-{content,transfer}-{sha256,length} values must be\n validated to be equal to the Content-Length and Sha256 checksum of the\n final artifact downloaded. as well as any intermediate redirects\n 1. If this response is a 500-series error, retry using an exponential\n backoff. No more than 5 retries should be attempted\n 1. If this response is a 400-series error, treat it appropriately for\n your context. This might be an error in responding to this request or\n an Error storage type body. This request should not be retried.\n 1. If this response is a 200-series response, the response body is the artifact.\n If the x-taskcluster-location-{content,transfer}-{sha256,length} and\n x-taskcluster-location-content-encoding are specified, they should match\n this response body\n 1. If the response type is a 300-series redirect, the artifact will be at the\n location specified by the `Location` header. There are multiple artifact storage\n types which use a 300-series redirect.\n 1. For all redirects followed, the user must verify that the content-sha256, content-length,\n transfer-sha256, transfer-length and content-encoding match every further request. The final\n artifact must also be validated against the values specified in the original queue response\n 1. Caching of requests with an x-taskcluster-artifact-storage-type value of `reference`\n must not occur\n 1. A request which has x-taskcluster-artifact-storage-type value of `blob` and does not\n have x-taskcluster-location-content-sha256 or x-taskcluster-location-content-length\n must be treated as an error\n\n **Headers**\n The following important headers are set on the response to this method:\n\n * location: the url of the artifact if a redirect is to be performed\n * x-taskcluster-artifact-storage-type: the storage type. Example: blob, s3, error\n\n The following important headers are set on responses to this method for Blob artifacts\n\n * x-taskcluster-location-content-sha256: the SHA256 of the artifact\n *after* any content-encoding is undone. Sha256 is hex encoded (e.g. [0-9A-Fa-f]{64})\n * x-taskcluster-location-content-length: the number of bytes *after* any content-encoding\n is undone\n * x-taskcluster-location-transfer-sha256: the SHA256 of the artifact\n *before* any content-encoding is undone. This is the SHA256 of what is sent over\n the wire. Sha256 is hex encoded (e.g. [0-9A-Fa-f]{64})\n * x-taskcluster-location-transfer-length: the number of bytes *after* any content-encoding\n is undone\n * x-taskcluster-location-content-encoding: the content-encoding used. It will either\n be `gzip` or `identity` right now. This is hardcoded to a value set when the artifact\n was created and no content-negotiation occurs\n * x-taskcluster-location-content-type: the content-type of the artifact\n\n **Caching**, artifacts may be cached in data centers closer to the\n workers in-order to reduce bandwidth costs. This can lead to longer\n response times. Caching can be skipped by setting the header\n `x-taskcluster-skip-cache: true`, this should only be used for resources\n where request volume is known to be low, and caching not useful.\n (This feature may be disabled in the future, use is sparingly!)\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['getArtifact'], *args, **\n kwargs)\n",
"role": "user"
},
{
"content": "getArtifact",
"role": "assistant"
}
] |
async def listArtifacts(self, *args, **kwargs):
"""
Get Artifacts from Run
Returns a list of artifacts and associated meta-data for a given run.
As a task may have many artifacts paging may be necessary. If this
end-point returns a `continuationToken`, you should call the end-point
again with the `continuationToken` as the query-string option:
`continuationToken`.
By default this end-point will list up-to 1000 artifacts in a single page
you may limit this with the query-string parameter `limit`.
This method gives output: ``v1/list-artifacts-response.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['listArtifacts'], *args,
**kwargs)
|
listArtifacts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def listArtifacts(self, *args, **kwargs):\n \"\"\"\n Get Artifacts from Run\n\n Returns a list of artifacts and associated meta-data for a given run.\n\n As a task may have many artifacts paging may be necessary. If this\n end-point returns a `continuationToken`, you should call the end-point\n again with the `continuationToken` as the query-string option:\n `continuationToken`.\n\n By default this end-point will list up-to 1000 artifacts in a single page\n you may limit this with the query-string parameter `limit`.\n\n This method gives output: ``v1/list-artifacts-response.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['listArtifacts'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "listArtifacts",
"role": "assistant"
}
] |
async def getWorkerType(self, *args, **kwargs):
"""
Get a worker-type
Get a worker-type from a provisioner.
This method gives output: ``v1/workertype-response.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['getWorkerType'], *args,
**kwargs)
|
getWorkerType
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def getWorkerType(self, *args, **kwargs):\n \"\"\"\n Get a worker-type\n\n Get a worker-type from a provisioner.\n\n This method gives output: ``v1/workertype-response.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['getWorkerType'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "getWorkerType",
"role": "assistant"
}
] |
async def declareWorkerType(self, *args, **kwargs):
"""
Update a worker-type
Declare a workerType, supplying some details about it.
`declareWorkerType` allows updating one or more properties of a worker-type as long as the required scopes are
possessed. For example, a request to update the `gecko-b-1-w2008` worker-type within the `aws-provisioner-v1`
provisioner with a body `{description: 'This worker type is great'}` would require you to have the scope
`queue:declare-worker-type:aws-provisioner-v1/gecko-b-1-w2008#description`.
This method takes input: ``v1/update-workertype-request.json#``
This method gives output: ``v1/workertype-response.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['declareWorkerType'], *
args, **kwargs)
|
declareWorkerType
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def declareWorkerType(self, *args, **kwargs):\n \"\"\"\n Update a worker-type\n\n Declare a workerType, supplying some details about it.\n\n `declareWorkerType` allows updating one or more properties of a worker-type as long as the required scopes are\n possessed. For example, a request to update the `gecko-b-1-w2008` worker-type within the `aws-provisioner-v1`\n provisioner with a body `{description: 'This worker type is great'}` would require you to have the scope\n `queue:declare-worker-type:aws-provisioner-v1/gecko-b-1-w2008#description`.\n\n This method takes input: ``v1/update-workertype-request.json#``\n\n This method gives output: ``v1/workertype-response.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['declareWorkerType'], *\n args, **kwargs)\n",
"role": "user"
},
{
"content": "declareWorkerType",
"role": "assistant"
}
] |
async def listWorkers(self, *args, **kwargs):
"""
Get a list of all active workers of a workerType
Get a list of all active workers of a workerType.
`listWorkers` allows a response to be filtered by quarantined and non quarantined workers.
To filter the query, you should call the end-point with `quarantined` as a query-string option with a
true or false value.
The response is paged. If this end-point returns a `continuationToken`, you
should call the end-point again with the `continuationToken` as a query-string
option. By default this end-point will list up to 1000 workers in a single
page. You may limit this with the query-string parameter `limit`.
This method gives output: ``v1/list-workers-response.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['listWorkers'], *args, **
kwargs)
|
listWorkers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def listWorkers(self, *args, **kwargs):\n \"\"\"\n Get a list of all active workers of a workerType\n\n Get a list of all active workers of a workerType.\n\n `listWorkers` allows a response to be filtered by quarantined and non quarantined workers.\n To filter the query, you should call the end-point with `quarantined` as a query-string option with a\n true or false value.\n\n The response is paged. If this end-point returns a `continuationToken`, you\n should call the end-point again with the `continuationToken` as a query-string\n option. By default this end-point will list up to 1000 workers in a single\n page. You may limit this with the query-string parameter `limit`.\n\n This method gives output: ``v1/list-workers-response.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['listWorkers'], *args, **\n kwargs)\n",
"role": "user"
},
{
"content": "listWorkers",
"role": "assistant"
}
] |
async def getWorker(self, *args, **kwargs):
"""
Get a worker-type
Get a worker from a worker-type.
This method gives output: ``v1/worker-response.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['getWorker'], *args, **kwargs)
|
getWorker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def getWorker(self, *args, **kwargs):\n \"\"\"\n Get a worker-type\n\n Get a worker from a worker-type.\n\n This method gives output: ``v1/worker-response.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['getWorker'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "getWorker",
"role": "assistant"
}
] |
def x(value, **kwarg):
try:
f = open(value, **kwarg)
except IOError as e:
raise ValueError('unable to open %s : %s' % (path.abspath(value), e))
return f
|
file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, **kwarg):\n try:\n f = open(value, **kwarg)\n except IOError as e:\n raise ValueError('unable to open %s : %s' % (path.abspath(value), e))\n return f\n",
"role": "user"
},
{
"content": "file",
"role": "assistant"
}
] |
def x(attempt):
if attempt <= 0:
return 0
delay = float(2 ** (attempt - 1)) * float(DELAY_FACTOR)
delay = delay * (RANDOMIZATION_FACTOR * (random.random() * 2 - 1) + 1)
return min(delay, MAX_DELAY)
|
calculateSleepTime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(attempt):\n if attempt <= 0:\n return 0\n delay = float(2 ** (attempt - 1)) * float(DELAY_FACTOR)\n delay = delay * (RANDOMIZATION_FACTOR * (random.random() * 2 - 1) + 1)\n return min(delay, MAX_DELAY)\n",
"role": "user"
},
{
"content": "calculateSleepTime",
"role": "assistant"
}
] |
def x(offset, dateObj=None):
future = True
offset = offset.lstrip()
if offset.startswith('-'):
future = False
offset = offset[1:].lstrip()
if offset.startswith('+'):
offset = offset[1:].lstrip()
m = r.match(offset)
if m is None:
raise ValueError("offset string: '%s' does not parse" % offset)
days = 0
hours = 0
minutes = 0
seconds = 0
if m.group('years'):
years = int(m.group('years'))
days += 365 * years
if m.group('months'):
months = int(m.group('months'))
days += 30 * months
days += int(m.group('days') or 0)
hours += int(m.group('hours') or 0)
minutes += int(m.group('minutes') or 0)
seconds += int(m.group('seconds') or 0)
delta = datetime.timedelta(weeks=int(m.group('weeks') or 0), days=days,
hours=hours, minutes=minutes, seconds=seconds)
if not dateObj:
dateObj = datetime.datetime.utcnow()
return dateObj + delta if future else dateObj - delta
|
fromNow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(offset, dateObj=None):\n future = True\n offset = offset.lstrip()\n if offset.startswith('-'):\n future = False\n offset = offset[1:].lstrip()\n if offset.startswith('+'):\n offset = offset[1:].lstrip()\n m = r.match(offset)\n if m is None:\n raise ValueError(\"offset string: '%s' does not parse\" % offset)\n days = 0\n hours = 0\n minutes = 0\n seconds = 0\n if m.group('years'):\n years = int(m.group('years'))\n days += 365 * years\n if m.group('months'):\n months = int(m.group('months'))\n days += 30 * months\n days += int(m.group('days') or 0)\n hours += int(m.group('hours') or 0)\n minutes += int(m.group('minutes') or 0)\n seconds += int(m.group('seconds') or 0)\n delta = datetime.timedelta(weeks=int(m.group('weeks') or 0), days=days,\n hours=hours, minutes=minutes, seconds=seconds)\n if not dateObj:\n dateObj = datetime.datetime.utcnow()\n return dateObj + delta if future else dateObj - delta\n",
"role": "user"
},
{
"content": "fromNow",
"role": "assistant"
}
] |
def x(obj, **kwargs):
def x(x):
if six.PY3 and isinstance(x, six.binary_type):
x = x.decode()
if isinstance(x, datetime.datetime) or isinstance(x, datetime.date):
return stringDate(x)
else:
return x
d = json.dumps(obj, separators=(',', ':'), default=
handleDateAndBinaryForJs, **kwargs)
assert '\n' not in d
return d
|
dumpJson
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, **kwargs):\n\n def x(x):\n if six.PY3 and isinstance(x, six.binary_type):\n x = x.decode()\n if isinstance(x, datetime.datetime) or isinstance(x, datetime.date):\n return stringDate(x)\n else:\n return x\n d = json.dumps(obj, separators=(',', ':'), default=\n handleDateAndBinaryForJs, **kwargs)\n assert '\\n' not in d\n return d\n",
"role": "user"
},
{
"content": "dumpJson",
"role": "assistant"
}
] |
def x(b64str):
if isinstance(b64str, six.text_type):
b64str = b64str.encode()
return b64str.replace(b'+', b'-').replace(b'/', b'_')
|
makeB64UrlSafe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(b64str):\n if isinstance(b64str, six.text_type):\n b64str = b64str.encode()\n return b64str.replace(b'+', b'-').replace(b'/', b'_')\n",
"role": "user"
},
{
"content": "makeB64UrlSafe",
"role": "assistant"
}
] |
def x(s):
if isinstance(s, six.text_type):
s = s.encode()
return base64.encodestring(s).strip().replace(b'\n', b'')
|
encodeStringForB64Header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n if isinstance(s, six.text_type):\n s = s.encode()\n return base64.encodestring(s).strip().replace(b'\\n', b'')\n",
"role": "user"
},
{
"content": "encodeStringForB64Header",
"role": "assistant"
}
] |
def x():
_cache = {}
def x(name):
if name not in _cache:
_cache[name] = slugId()
return _cache[name]
return closure
|
stableSlugId
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _cache = {}\n\n def x(name):\n if name not in _cache:\n _cache[name] = slugId()\n return _cache[name]\n return closure\n",
"role": "user"
},
{
"content": "stableSlugId",
"role": "assistant"
}
] |
def x(assumedScopes, requiredScopeSets):
for scopeSet in requiredScopeSets:
for requiredScope in scopeSet:
for scope in assumedScopes:
if scope == requiredScope:
break
if scope.endswith('*') and requiredScope.startswith(scope[:-1]
):
break
else:
break
else:
return True
return False
|
scopeMatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(assumedScopes, requiredScopeSets):\n for scopeSet in requiredScopeSets:\n for requiredScope in scopeSet:\n for scope in assumedScopes:\n if scope == requiredScope:\n break\n if scope.endswith('*') and requiredScope.startswith(scope[:-1]\n ):\n break\n else:\n break\n else:\n return True\n return False\n",
"role": "user"
},
{
"content": "scopeMatch",
"role": "assistant"
}
] |
def x(method, url, payload, headers, retries=MAX_RETRIES, session=None):
retry = -1
response = None
while retry < retries:
retry += 1
if retry > 0:
snooze = float(retry * retry) / 10.0
log.info('Sleeping %0.2f seconds for exponential backoff', snooze)
time.sleep(snooze)
if hasattr(payload, 'seek'):
payload.seek(0)
log.debug('Making attempt %d', retry)
try:
response = makeSingleHttpRequest(method, url, payload, headers,
session)
except requests.exceptions.RequestException as rerr:
if retry < retries:
log.warn('Retrying because of: %s' % rerr)
continue
raise rerr
try:
response.raise_for_status()
except requests.exceptions.RequestException:
pass
status = response.status_code
if 500 <= status and status < 600 and retry < retries:
if retry < retries:
log.warn('Retrying because of: %d status' % status)
continue
else:
raise exceptions.TaskclusterRestFailure('Unknown Server Error',
superExc=None)
return response
assert False, 'Error from last retry should have been raised!'
|
makeHttpRequest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, url, payload, headers, retries=MAX_RETRIES, session=None):\n retry = -1\n response = None\n while retry < retries:\n retry += 1\n if retry > 0:\n snooze = float(retry * retry) / 10.0\n log.info('Sleeping %0.2f seconds for exponential backoff', snooze)\n time.sleep(snooze)\n if hasattr(payload, 'seek'):\n payload.seek(0)\n log.debug('Making attempt %d', retry)\n try:\n response = makeSingleHttpRequest(method, url, payload, headers,\n session)\n except requests.exceptions.RequestException as rerr:\n if retry < retries:\n log.warn('Retrying because of: %s' % rerr)\n continue\n raise rerr\n try:\n response.raise_for_status()\n except requests.exceptions.RequestException:\n pass\n status = response.status_code\n if 500 <= status and status < 600 and retry < retries:\n if retry < retries:\n log.warn('Retrying because of: %d status' % status)\n continue\n else:\n raise exceptions.TaskclusterRestFailure('Unknown Server Error',\n superExc=None)\n return response\n assert False, 'Error from last retry should have been raised!'\n",
"role": "user"
},
{
"content": "makeHttpRequest",
"role": "assistant"
}
] |
def x(certificate):
if isinstance(certificate, six.string_types):
certificate = json.loads(certificate)
expiry = certificate.get('expiry', 0)
return expiry < int(time.time() * 1000) + 20 * 60
|
isExpired
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(certificate):\n if isinstance(certificate, six.string_types):\n certificate = json.loads(certificate)\n expiry = certificate.get('expiry', 0)\n return expiry < int(time.time() * 1000) + 20 * 60\n",
"role": "user"
},
{
"content": "isExpired",
"role": "assistant"
}
] |
def x(defaults=None):
options = defaults or {}
credentials = options.get('credentials', {})
rootUrl = os.environ.get('TASKCLUSTER_ROOT_URL')
if rootUrl:
options['rootUrl'] = rootUrl
clientId = os.environ.get('TASKCLUSTER_CLIENT_ID')
if clientId:
credentials['clientId'] = clientId
accessToken = os.environ.get('TASKCLUSTER_ACCESS_TOKEN')
if accessToken:
credentials['accessToken'] = accessToken
certificate = os.environ.get('TASKCLUSTER_CERTIFICATE')
if certificate:
credentials['certificate'] = certificate
if credentials:
options['credentials'] = credentials
return options
|
optionsFromEnvironment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(defaults=None):\n options = defaults or {}\n credentials = options.get('credentials', {})\n rootUrl = os.environ.get('TASKCLUSTER_ROOT_URL')\n if rootUrl:\n options['rootUrl'] = rootUrl\n clientId = os.environ.get('TASKCLUSTER_CLIENT_ID')\n if clientId:\n credentials['clientId'] = clientId\n accessToken = os.environ.get('TASKCLUSTER_ACCESS_TOKEN')\n if accessToken:\n credentials['accessToken'] = accessToken\n certificate = os.environ.get('TASKCLUSTER_CERTIFICATE')\n if certificate:\n credentials['certificate'] = certificate\n if credentials:\n options['credentials'] = credentials\n return options\n",
"role": "user"
},
{
"content": "optionsFromEnvironment",
"role": "assistant"
}
] |
def x(xcolor):
assert 0 <= xcolor <= 255
if xcolor < 16:
return BASIC16[xcolor]
elif 16 <= xcolor <= 231:
xcolor -= 16
return CUBE_STEPS[xcolor // 36 % 6], CUBE_STEPS[xcolor // 6 % 6
], CUBE_STEPS[xcolor % 6]
elif 232 <= xcolor <= 255:
c = 8 + (xcolor - 232) * 10
return c, c, c
|
xterm_to_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xcolor):\n assert 0 <= xcolor <= 255\n if xcolor < 16:\n return BASIC16[xcolor]\n elif 16 <= xcolor <= 231:\n xcolor -= 16\n return CUBE_STEPS[xcolor // 36 % 6], CUBE_STEPS[xcolor // 6 % 6\n ], CUBE_STEPS[xcolor % 6]\n elif 232 <= xcolor <= 255:\n c = 8 + (xcolor - 232) * 10\n return c, c, c\n",
"role": "user"
},
{
"content": "xterm_to_rgb",
"role": "assistant"
}
] |
def x(r, g, b):
if r < 5 and g < 5 and b < 5:
return 16
best_match = 0
smallest_distance = 10000000000
for c in range(16, 256):
d = (COLOR_TABLE[c][0] - r) ** 2 + (COLOR_TABLE[c][1] - g) ** 2 + (
COLOR_TABLE[c][2] - b) ** 2
if d < smallest_distance:
smallest_distance = d
best_match = c
return best_match
|
rgb_to_xterm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g, b):\n if r < 5 and g < 5 and b < 5:\n return 16\n best_match = 0\n smallest_distance = 10000000000\n for c in range(16, 256):\n d = (COLOR_TABLE[c][0] - r) ** 2 + (COLOR_TABLE[c][1] - g) ** 2 + (\n COLOR_TABLE[c][2] - b) ** 2\n if d < smallest_distance:\n smallest_distance = d\n best_match = c\n return best_match\n",
"role": "user"
},
{
"content": "rgb_to_xterm",
"role": "assistant"
}
] |
def x():
import os
import ctypes
from os.path import join, dirname, getmtime, exists, expanduser
library = expanduser('~/.xterm256.so')
sauce = join(dirname(__file__), '_xterm256.c')
if not exists(library) or getmtime(sauce) > getmtime(library):
build = 'gcc -fPIC -shared -o %s %s' % (library, sauce)
if os.system(build + ' >/dev/null 2>&1') != 0:
raise OSError('GCC error')
xterm256_c = ctypes.cdll.LoadLibrary(library)
xterm256_c.init()
def x(xcolor):
res = xterm256_c.xterm_to_rgb_i(xcolor)
return res >> 16 & 255, res >> 8 & 255, res & 255
return xterm256_c.rgb_to_xterm, xterm_to_rgb
|
compile_speedup
|
[
{
"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 ctypes\n from os.path import join, dirname, getmtime, exists, expanduser\n library = expanduser('~/.xterm256.so')\n sauce = join(dirname(__file__), '_xterm256.c')\n if not exists(library) or getmtime(sauce) > getmtime(library):\n build = 'gcc -fPIC -shared -o %s %s' % (library, sauce)\n if os.system(build + ' >/dev/null 2>&1') != 0:\n raise OSError('GCC error')\n xterm256_c = ctypes.cdll.LoadLibrary(library)\n xterm256_c.init()\n\n def x(xcolor):\n res = xterm256_c.xterm_to_rgb_i(xcolor)\n return res >> 16 & 255, res >> 8 & 255, res & 255\n return xterm256_c.rgb_to_xterm, xterm_to_rgb\n",
"role": "user"
},
{
"content": "compile_speedup",
"role": "assistant"
}
] |
def x():
import optparse
parser = optparse.OptionParser()
parser.add_option('-w', '--width', dest='width', type='int', default=
None, help='Width of printed image in characters. Default: %default')
options, args = parser.parse_args(args=sys.argv[1:])
for imgpath in args:
for line in Image(imgpath, options.width):
printy(line)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import optparse\n parser = optparse.OptionParser()\n parser.add_option('-w', '--width', dest='width', type='int', default=\n None, help='Width of printed image in characters. Default: %default')\n options, args = parser.parse_args(args=sys.argv[1:])\n for imgpath in args:\n for line in Image(imgpath, options.width):\n printy(line)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, width=None):
iw, ih = self.size
if width is None:
width = min(iw, utils.term.width)
elif isinstance(width, basestring):
percents = dict([(pct, '%s%%' % pct) for pct in range(101)])
width = percents[width]
height = int(float(ih) * (float(width) / float(iw)))
height //= 2
self.img = self.img.resize((width, height))
|
resize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, width=None):\n iw, ih = self.size\n if width is None:\n width = min(iw, utils.term.width)\n elif isinstance(width, basestring):\n percents = dict([(pct, '%s%%' % pct) for pct in range(101)])\n width = percents[width]\n height = int(float(ih) * (float(width) / float(iw)))\n height //= 2\n self.img = self.img.resize((width, height))\n",
"role": "user"
},
{
"content": "resize",
"role": "assistant"
}
] |
def x(self, colors):
need_reset = False
line = []
for color, items in itertools.groupby(colors):
if color is None:
if need_reset:
line.append('\x1b[49m')
need_reset = False
line.append(self.pad * len(list(items)))
elif color == 'EOL':
if need_reset:
line.append('\x1b[49m')
need_reset = False
yield ''.join(line)
else:
line.pop()
yield ''.join(line)
line = []
else:
need_reset = True
line.append('\x1b[48;5;%dm%s' % (color, self.pad * len(list(
items))))
|
reduce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, colors):\n need_reset = False\n line = []\n for color, items in itertools.groupby(colors):\n if color is None:\n if need_reset:\n line.append('\\x1b[49m')\n need_reset = False\n line.append(self.pad * len(list(items)))\n elif color == 'EOL':\n if need_reset:\n line.append('\\x1b[49m')\n need_reset = False\n yield ''.join(line)\n else:\n line.pop()\n yield ''.join(line)\n line = []\n else:\n need_reset = True\n line.append('\\x1b[48;5;%dm%s' % (color, self.pad * len(list(\n items))))\n",
"role": "user"
},
{
"content": "reduce",
"role": "assistant"
}
] |
def x(self):
width, height = self.img.size
bgcolor = utils.term.bgcolor
self.img.load()
for y in range(height):
for x in range(width):
rgba = self.img.getpixel((x, y))
if len(rgba) == 4 and rgba[3] == 0:
yield None
elif len(rgba) == 3 or rgba[3] == 255:
yield xterm256.rgb_to_xterm(*rgba[:3])
else:
color = grapefruit.Color.NewFromRgb(*[(c / 255.0) for c in
rgba])
rgba = grapefruit.Color.AlphaBlend(color, bgcolor).rgb
yield xterm256.rgb_to_xterm(*[int(c * 255.0) for c in rgba])
yield 'EOL'
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n width, height = self.img.size\n bgcolor = utils.term.bgcolor\n self.img.load()\n for y in range(height):\n for x in range(width):\n rgba = self.img.getpixel((x, y))\n if len(rgba) == 4 and rgba[3] == 0:\n yield None\n elif len(rgba) == 3 or rgba[3] == 255:\n yield xterm256.rgb_to_xterm(*rgba[:3])\n else:\n color = grapefruit.Color.NewFromRgb(*[(c / 255.0) for c in\n rgba])\n rgba = grapefruit.Color.AlphaBlend(color, bgcolor).rgb\n yield xterm256.rgb_to_xterm(*[int(c * 255.0) for c in rgba])\n yield 'EOL'\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['oidcCredentials'], *args, **kwargs)
|
oidcCredentials
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['oidcCredentials'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "oidcCredentials",
"role": "assistant"
}
] |
async def builds(self, *args, **kwargs):
"""
List of Builds
A paginated list of builds that have been run in
Taskcluster. Can be filtered on various git-specific
fields.
This method gives output: ``v1/build-list.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['builds'], *args, **kwargs)
|
builds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def builds(self, *args, **kwargs):\n \"\"\"\n List of Builds\n\n A paginated list of builds that have been run in\n Taskcluster. Can be filtered on various git-specific\n fields.\n\n This method gives output: ``v1/build-list.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['builds'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "builds",
"role": "assistant"
}
] |
async def repository(self, *args, **kwargs):
"""
Get Repository Info
Returns any repository metadata that is
useful within Taskcluster related services.
This method gives output: ``v1/repository.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['repository'], *args, **kwargs
)
|
repository
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def repository(self, *args, **kwargs):\n \"\"\"\n Get Repository Info\n\n Returns any repository metadata that is\n useful within Taskcluster related services.\n\n This method gives output: ``v1/repository.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['repository'], *args, **kwargs\n )\n",
"role": "user"
},
{
"content": "repository",
"role": "assistant"
}
] |
async def createStatus(self, *args, **kwargs):
"""
Post a status against a given changeset
For a given changeset (SHA) of a repository, this will attach a "commit status"
on github. These statuses are links displayed next to each revision.
The status is either OK (green check) or FAILURE (red cross),
made of a custom title and link.
This method takes input: ``v1/create-status.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['createStatus'], *args, **
kwargs)
|
createStatus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def createStatus(self, *args, **kwargs):\n \"\"\"\n Post a status against a given changeset\n\n For a given changeset (SHA) of a repository, this will attach a \"commit status\"\n on github. These statuses are links displayed next to each revision.\n The status is either OK (green check) or FAILURE (red cross),\n made of a custom title and link.\n\n This method takes input: ``v1/create-status.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['createStatus'], *args, **\n kwargs)\n",
"role": "user"
},
{
"content": "createStatus",
"role": "assistant"
}
] |
async def email(self, *args, **kwargs):
"""
Send an Email
Send an email to `address`. The content is markdown and will be rendered
to HTML, but both the HTML and raw markdown text will be sent in the
email. If a link is included, it will be rendered to a nice button in the
HTML version of the email
This method takes input: ``v1/email-request.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['email'], *args, **kwargs)
|
email
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def email(self, *args, **kwargs):\n \"\"\"\n Send an Email\n\n Send an email to `address`. The content is markdown and will be rendered\n to HTML, but both the HTML and raw markdown text will be sent in the\n email. If a link is included, it will be rendered to a nice button in the\n HTML version of the email\n\n This method takes input: ``v1/email-request.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['email'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "email",
"role": "assistant"
}
] |
async def pulse(self, *args, **kwargs):
"""
Publish a Pulse Message
Publish a message on pulse with the given `routingKey`.
This method takes input: ``v1/pulse-request.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['pulse'], *args, **kwargs)
|
pulse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def pulse(self, *args, **kwargs):\n \"\"\"\n Publish a Pulse Message\n\n Publish a message on pulse with the given `routingKey`.\n\n This method takes input: ``v1/pulse-request.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['pulse'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "pulse",
"role": "assistant"
}
] |
def x(level=logging.WARNING, transient_level=logging.NOTSET):
fmt = '%(asctime)s [%(levelname)s] [%(name)s:%(lineno)d] %(message)s'
logging.root.setLevel(transient_level)
hand = TransientStreamHandler(level=level)
hand.setFormatter(logging.Formatter(fmt))
logging.root.addHandler(hand)
|
basicConfig
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(level=logging.WARNING, transient_level=logging.NOTSET):\n fmt = '%(asctime)s [%(levelname)s] [%(name)s:%(lineno)d] %(message)s'\n logging.root.setLevel(transient_level)\n hand = TransientStreamHandler(level=level)\n hand.setFormatter(logging.Formatter(fmt))\n logging.root.addHandler(hand)\n",
"role": "user"
},
{
"content": "basicConfig",
"role": "assistant"
}
] |
async def resetAccessToken(self, *args, **kwargs):
"""
Reset `accessToken`
Reset a clients `accessToken`, this will revoke the existing
`accessToken`, generate a new `accessToken` and return it from this
call.
There is no way to retrieve an existing `accessToken`, so if you loose it
you must reset the accessToken to acquire it again.
This method gives output: ``v1/create-client-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['resetAccessToken'], *args,
**kwargs)
|
resetAccessToken
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def resetAccessToken(self, *args, **kwargs):\n \"\"\"\n Reset `accessToken`\n\n Reset a clients `accessToken`, this will revoke the existing\n `accessToken`, generate a new `accessToken` and return it from this\n call.\n\n There is no way to retrieve an existing `accessToken`, so if you loose it\n you must reset the accessToken to acquire it again.\n\n This method gives output: ``v1/create-client-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['resetAccessToken'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "resetAccessToken",
"role": "assistant"
}
] |
async def role(self, *args, **kwargs):
"""
Get Role
Get information about a single role, including the set of scopes that the
role expands to.
This method gives output: ``v1/get-role-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['role'], *args, **kwargs)
|
role
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def role(self, *args, **kwargs):\n \"\"\"\n Get Role\n\n Get information about a single role, including the set of scopes that the\n role expands to.\n\n This method gives output: ``v1/get-role-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['role'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "role",
"role": "assistant"
}
] |
async def azureAccounts(self, *args, **kwargs):
"""
List Accounts Managed by Auth
Retrieve a list of all Azure accounts managed by Taskcluster Auth.
This method gives output: ``v1/azure-account-list-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['azureAccounts'], *args,
**kwargs)
|
azureAccounts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def azureAccounts(self, *args, **kwargs):\n \"\"\"\n List Accounts Managed by Auth\n\n Retrieve a list of all Azure accounts managed by Taskcluster Auth.\n\n This method gives output: ``v1/azure-account-list-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['azureAccounts'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "azureAccounts",
"role": "assistant"
}
] |
async def authenticateHawk(self, *args, **kwargs):
"""
Authenticate Hawk Request
Validate the request signature given on input and return list of scopes
that the authenticating client has.
This method is used by other services that wish rely on Taskcluster
credentials for authentication. This way we can use Hawk without having
the secret credentials leave this service.
This method takes input: ``v1/authenticate-hawk-request.json#``
This method gives output: ``v1/authenticate-hawk-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['authenticateHawk'], *args,
**kwargs)
|
authenticateHawk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def authenticateHawk(self, *args, **kwargs):\n \"\"\"\n Authenticate Hawk Request\n\n Validate the request signature given on input and return list of scopes\n that the authenticating client has.\n\n This method is used by other services that wish rely on Taskcluster\n credentials for authentication. This way we can use Hawk without having\n the secret credentials leave this service.\n\n This method takes input: ``v1/authenticate-hawk-request.json#``\n\n This method gives output: ``v1/authenticate-hawk-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['authenticateHawk'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "authenticateHawk",
"role": "assistant"
}
] |
async def listHookGroups(self, *args, **kwargs):
"""
List hook groups
This endpoint will return a list of all hook groups with at least one hook.
This method gives output: ``v1/list-hook-groups-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['listHookGroups'], *args,
**kwargs)
|
listHookGroups
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def listHookGroups(self, *args, **kwargs):\n \"\"\"\n List hook groups\n\n This endpoint will return a list of all hook groups with at least one hook.\n\n This method gives output: ``v1/list-hook-groups-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['listHookGroups'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "listHookGroups",
"role": "assistant"
}
] |
async def listHooks(self, *args, **kwargs):
"""
List hooks in a given group
This endpoint will return a list of all the hook definitions within a
given hook group.
This method gives output: ``v1/list-hooks-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['listHooks'], *args, **kwargs)
|
listHooks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def listHooks(self, *args, **kwargs):\n \"\"\"\n List hooks in a given group\n\n This endpoint will return a list of all the hook definitions within a\n given hook group.\n\n This method gives output: ``v1/list-hooks-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['listHooks'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "listHooks",
"role": "assistant"
}
] |
async def hook(self, *args, **kwargs):
"""
Get hook definition
This endpoint will return the hook definition for the given `hookGroupId`
and hookId.
This method gives output: ``v1/hook-definition.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['hook'], *args, **kwargs)
|
hook
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def hook(self, *args, **kwargs):\n \"\"\"\n Get hook definition\n\n This endpoint will return the hook definition for the given `hookGroupId`\n and hookId.\n\n This method gives output: ``v1/hook-definition.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['hook'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "hook",
"role": "assistant"
}
] |
async def updateHook(self, *args, **kwargs):
"""
Update a hook
This endpoint will update an existing hook. All fields except
`hookGroupId` and `hookId` can be modified.
This method takes input: ``v1/create-hook-request.json#``
This method gives output: ``v1/hook-definition.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['updateHook'], *args, **kwargs
)
|
updateHook
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def updateHook(self, *args, **kwargs):\n \"\"\"\n Update a hook\n\n This endpoint will update an existing hook. All fields except\n `hookGroupId` and `hookId` can be modified.\n\n This method takes input: ``v1/create-hook-request.json#``\n\n This method gives output: ``v1/hook-definition.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['updateHook'], *args, **kwargs\n )\n",
"role": "user"
},
{
"content": "updateHook",
"role": "assistant"
}
] |
async def removeHook(self, *args, **kwargs):
"""
Delete a hook
This endpoint will remove a hook definition.
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['removeHook'], *args, **kwargs
)
|
removeHook
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def removeHook(self, *args, **kwargs):\n \"\"\"\n Delete a hook\n\n This endpoint will remove a hook definition.\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['removeHook'], *args, **kwargs\n )\n",
"role": "user"
},
{
"content": "removeHook",
"role": "assistant"
}
] |
async def triggerHook(self, *args, **kwargs):
"""
Trigger a hook
This endpoint will trigger the creation of a task from a hook definition.
The HTTP payload must match the hooks `triggerSchema`. If it does, it is
provided as the `payload` property of the JSON-e context used to render the
task template.
This method takes input: ``v1/trigger-hook.json#``
This method gives output: ``v1/trigger-hook-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['triggerHook'], *args, **
kwargs)
|
triggerHook
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def triggerHook(self, *args, **kwargs):\n \"\"\"\n Trigger a hook\n\n This endpoint will trigger the creation of a task from a hook definition.\n\n The HTTP payload must match the hooks `triggerSchema`. If it does, it is\n provided as the `payload` property of the JSON-e context used to render the\n task template.\n\n This method takes input: ``v1/trigger-hook.json#``\n\n This method gives output: ``v1/trigger-hook-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['triggerHook'], *args, **\n kwargs)\n",
"role": "user"
},
{
"content": "triggerHook",
"role": "assistant"
}
] |
async def getTriggerToken(self, *args, **kwargs):
"""
Get a trigger token
Retrieve a unique secret token for triggering the specified hook. This
token can be deactivated with `resetTriggerToken`.
This method gives output: ``v1/trigger-token-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['getTriggerToken'], *args,
**kwargs)
|
getTriggerToken
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def getTriggerToken(self, *args, **kwargs):\n \"\"\"\n Get a trigger token\n\n Retrieve a unique secret token for triggering the specified hook. This\n token can be deactivated with `resetTriggerToken`.\n\n This method gives output: ``v1/trigger-token-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['getTriggerToken'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "getTriggerToken",
"role": "assistant"
}
] |
async def resetTriggerToken(self, *args, **kwargs):
"""
Reset a trigger token
Reset the token for triggering a given hook. This invalidates token that
may have been issued via getTriggerToken with a new token.
This method gives output: ``v1/trigger-token-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['resetTriggerToken'], *
args, **kwargs)
|
resetTriggerToken
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def resetTriggerToken(self, *args, **kwargs):\n \"\"\"\n Reset a trigger token\n\n Reset the token for triggering a given hook. This invalidates token that\n may have been issued via getTriggerToken with a new token.\n\n This method gives output: ``v1/trigger-token-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['resetTriggerToken'], *\n args, **kwargs)\n",
"role": "user"
},
{
"content": "resetTriggerToken",
"role": "assistant"
}
] |
async def triggerHookWithToken(self, *args, **kwargs):
"""
Trigger a hook with a token
This endpoint triggers a defined hook with a valid token.
The HTTP payload must match the hooks `triggerSchema`. If it does, it is
provided as the `payload` property of the JSON-e context used to render the
task template.
This method takes input: ``v1/trigger-hook.json#``
This method gives output: ``v1/trigger-hook-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['triggerHookWithToken'], *
args, **kwargs)
|
triggerHookWithToken
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def triggerHookWithToken(self, *args, **kwargs):\n \"\"\"\n Trigger a hook with a token\n\n This endpoint triggers a defined hook with a valid token.\n\n The HTTP payload must match the hooks `triggerSchema`. If it does, it is\n provided as the `payload` property of the JSON-e context used to render the\n task template.\n\n This method takes input: ``v1/trigger-hook.json#``\n\n This method gives output: ``v1/trigger-hook-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['triggerHookWithToken'], *\n args, **kwargs)\n",
"role": "user"
},
{
"content": "triggerHookWithToken",
"role": "assistant"
}
] |
async def createWorkerType(self, *args, **kwargs):
"""
Create new Worker Type
Create a worker type. A worker type contains all the configuration
needed for the provisioner to manage the instances. Each worker type
knows which regions and which instance types are allowed for that
worker type. Remember that Capacity is the number of concurrent tasks
that can be run on a given EC2 resource and that Utility is the relative
performance rate between different instance types. There is no way to
configure different regions to have different sets of instance types
so ensure that all instance types are available in all regions.
This function is idempotent.
Once a worker type is in the provisioner, a back ground process will
begin creating instances for it based on its capacity bounds and its
pending task count from the Queue. It is the worker's responsibility
to shut itself down. The provisioner has a limit (currently 96hours)
for all instances to prevent zombie instances from running indefinitely.
The provisioner will ensure that all instances created are tagged with
aws resource tags containing the provisioner id and the worker type.
If provided, the secrets in the global, region and instance type sections
are available using the secrets api. If specified, the scopes provided
will be used to generate a set of temporary credentials available with
the other secrets.
This method takes input: ``http://schemas.taskcluster.net/aws-provisioner/v1/create-worker-type-request.json#``
This method gives output: ``http://schemas.taskcluster.net/aws-provisioner/v1/get-worker-type-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['createWorkerType'], *args,
**kwargs)
|
createWorkerType
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def createWorkerType(self, *args, **kwargs):\n \"\"\"\n Create new Worker Type\n\n Create a worker type. A worker type contains all the configuration\n needed for the provisioner to manage the instances. Each worker type\n knows which regions and which instance types are allowed for that\n worker type. Remember that Capacity is the number of concurrent tasks\n that can be run on a given EC2 resource and that Utility is the relative\n performance rate between different instance types. There is no way to\n configure different regions to have different sets of instance types\n so ensure that all instance types are available in all regions.\n This function is idempotent.\n\n Once a worker type is in the provisioner, a back ground process will\n begin creating instances for it based on its capacity bounds and its\n pending task count from the Queue. It is the worker's responsibility\n to shut itself down. The provisioner has a limit (currently 96hours)\n for all instances to prevent zombie instances from running indefinitely.\n\n The provisioner will ensure that all instances created are tagged with\n aws resource tags containing the provisioner id and the worker type.\n\n If provided, the secrets in the global, region and instance type sections\n are available using the secrets api. If specified, the scopes provided\n will be used to generate a set of temporary credentials available with\n the other secrets.\n\n This method takes input: ``http://schemas.taskcluster.net/aws-provisioner/v1/create-worker-type-request.json#``\n\n This method gives output: ``http://schemas.taskcluster.net/aws-provisioner/v1/get-worker-type-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['createWorkerType'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "createWorkerType",
"role": "assistant"
}
] |
async def updateWorkerType(self, *args, **kwargs):
"""
Update Worker Type
Provide a new copy of a worker type to replace the existing one.
This will overwrite the existing worker type definition if there
is already a worker type of that name. This method will return a
200 response along with a copy of the worker type definition created
Note that if you are using the result of a GET on the worker-type
end point that you will need to delete the lastModified and workerType
keys from the object returned, since those fields are not allowed
the request body for this method
Otherwise, all input requirements and actions are the same as the
create method.
This method takes input: ``http://schemas.taskcluster.net/aws-provisioner/v1/create-worker-type-request.json#``
This method gives output: ``http://schemas.taskcluster.net/aws-provisioner/v1/get-worker-type-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['updateWorkerType'], *args,
**kwargs)
|
updateWorkerType
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def updateWorkerType(self, *args, **kwargs):\n \"\"\"\n Update Worker Type\n\n Provide a new copy of a worker type to replace the existing one.\n This will overwrite the existing worker type definition if there\n is already a worker type of that name. This method will return a\n 200 response along with a copy of the worker type definition created\n Note that if you are using the result of a GET on the worker-type\n end point that you will need to delete the lastModified and workerType\n keys from the object returned, since those fields are not allowed\n the request body for this method\n\n Otherwise, all input requirements and actions are the same as the\n create method.\n\n This method takes input: ``http://schemas.taskcluster.net/aws-provisioner/v1/create-worker-type-request.json#``\n\n This method gives output: ``http://schemas.taskcluster.net/aws-provisioner/v1/get-worker-type-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['updateWorkerType'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "updateWorkerType",
"role": "assistant"
}
] |
async def workerType(self, *args, **kwargs):
"""
Get Worker Type
Retrieve a copy of the requested worker type definition.
This copy contains a lastModified field as well as the worker
type name. As such, it will require manipulation to be able to
use the results of this method to submit date to the update
method.
This method gives output: ``http://schemas.taskcluster.net/aws-provisioner/v1/get-worker-type-response.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['workerType'], *args, **kwargs
)
|
workerType
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def workerType(self, *args, **kwargs):\n \"\"\"\n Get Worker Type\n\n Retrieve a copy of the requested worker type definition.\n This copy contains a lastModified field as well as the worker\n type name. As such, it will require manipulation to be able to\n use the results of this method to submit date to the update\n method.\n\n This method gives output: ``http://schemas.taskcluster.net/aws-provisioner/v1/get-worker-type-response.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['workerType'], *args, **kwargs\n )\n",
"role": "user"
},
{
"content": "workerType",
"role": "assistant"
}
] |
async def createSecret(self, *args, **kwargs):
"""
Create new Secret
Insert a secret into the secret storage. The supplied secrets will
be provided verbatime via `getSecret`, while the supplied scopes will
be converted into credentials by `getSecret`.
This method is not ordinarily used in production; instead, the provisioner
creates a new secret directly for each spot bid.
This method takes input: ``http://schemas.taskcluster.net/aws-provisioner/v1/create-secret-request.json#``
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['createSecret'], *args, **
kwargs)
|
createSecret
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def createSecret(self, *args, **kwargs):\n \"\"\"\n Create new Secret\n\n Insert a secret into the secret storage. The supplied secrets will\n be provided verbatime via `getSecret`, while the supplied scopes will\n be converted into credentials by `getSecret`.\n\n This method is not ordinarily used in production; instead, the provisioner\n creates a new secret directly for each spot bid.\n\n This method takes input: ``http://schemas.taskcluster.net/aws-provisioner/v1/create-secret-request.json#``\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['createSecret'], *args, **\n kwargs)\n",
"role": "user"
},
{
"content": "createSecret",
"role": "assistant"
}
] |
async def removeSecret(self, *args, **kwargs):
"""
Remove a Secret
Remove a secret. After this call, a call to `getSecret` with the given
token will return no information.
It is very important that the consumer of a
secret delete the secret from storage before handing over control
to untrusted processes to prevent credential and/or secret leakage.
This method is ``stable``
"""
return await self._makeApiCall(self.funcinfo['removeSecret'], *args, **
kwargs)
|
removeSecret
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def removeSecret(self, *args, **kwargs):\n \"\"\"\n Remove a Secret\n\n Remove a secret. After this call, a call to `getSecret` with the given\n token will return no information.\n\n It is very important that the consumer of a\n secret delete the secret from storage before handing over control\n to untrusted processes to prevent credential and/or secret leakage.\n\n This method is ``stable``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['removeSecret'], *args, **\n kwargs)\n",
"role": "user"
},
{
"content": "removeSecret",
"role": "assistant"
}
] |
async def getLaunchSpecs(self, *args, **kwargs):
"""
Get All Launch Specifications for WorkerType
This method returns a preview of all possible launch specifications
that this worker type definition could submit to EC2. It is used to
test worker types, nothing more
**This API end-point is experimental and may be subject to change without warning.**
This method gives output: ``http://schemas.taskcluster.net/aws-provisioner/v1/get-launch-specs-response.json#``
This method is ``experimental``
"""
return await self._makeApiCall(self.funcinfo['getLaunchSpecs'], *args,
**kwargs)
|
getLaunchSpecs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def getLaunchSpecs(self, *args, **kwargs):\n \"\"\"\n Get All Launch Specifications for WorkerType\n\n This method returns a preview of all possible launch specifications\n that this worker type definition could submit to EC2. It is used to\n test worker types, nothing more\n\n **This API end-point is experimental and may be subject to change without warning.**\n\n This method gives output: ``http://schemas.taskcluster.net/aws-provisioner/v1/get-launch-specs-response.json#``\n\n This method is ``experimental``\n \"\"\"\n return await self._makeApiCall(self.funcinfo['getLaunchSpecs'], *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "getLaunchSpecs",
"role": "assistant"
}
] |
async def makeHttpRequest(method, url, payload, headers, retries=utils.
MAX_RETRIES, session=None):
""" Make an HTTP request and retry it until success, return request """
retry = -1
response = None
implicit = False
if session is None:
implicit = True
session = aiohttp.ClientSession()
def x():
if implicit:
loop = asyncio.get_event_loop()
loop.run_until_complete(session.close())
try:
while True:
retry += 1
if retry > 0:
snooze = float(retry * retry) / 10.0
log.info('Sleeping %0.2f seconds for exponential backoff',
snooze)
await asyncio.sleep(snooze)
if hasattr(payload, 'seek'):
payload.seek(0)
log.debug('Making attempt %d', retry)
try:
with async_timeout.timeout(60):
response = await makeSingleHttpRequest(method, url,
payload, headers, session)
except aiohttp.ClientError as rerr:
if retry < retries:
log.warn('Retrying because of: %s' % rerr)
continue
raise rerr
except ValueError as rerr:
log.warn(
'ValueError from aiohttp: redirect to non-http or https')
raise rerr
except RuntimeError as rerr:
log.warn('RuntimeError from aiohttp: session closed')
raise rerr
status = response.status
if 500 <= status and status < 600 and retry < retries:
if retry < retries:
log.warn('Retrying because of: %d status' % status)
continue
else:
raise exceptions.TaskclusterRestFailure(
'Unknown Server Error', superExc=None)
return response
finally:
cleanup()
assert False, 'Error from last retry should have been raised!'
|
makeHttpRequest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def makeHttpRequest(method, url, payload, headers, retries=utils.\n MAX_RETRIES, session=None):\n \"\"\" Make an HTTP request and retry it until success, return request \"\"\"\n retry = -1\n response = None\n implicit = False\n if session is None:\n implicit = True\n session = aiohttp.ClientSession()\n\n def x():\n if implicit:\n loop = asyncio.get_event_loop()\n loop.run_until_complete(session.close())\n try:\n while True:\n retry += 1\n if retry > 0:\n snooze = float(retry * retry) / 10.0\n log.info('Sleeping %0.2f seconds for exponential backoff',\n snooze)\n await asyncio.sleep(snooze)\n if hasattr(payload, 'seek'):\n payload.seek(0)\n log.debug('Making attempt %d', retry)\n try:\n with async_timeout.timeout(60):\n response = await makeSingleHttpRequest(method, url,\n payload, headers, session)\n except aiohttp.ClientError as rerr:\n if retry < retries:\n log.warn('Retrying because of: %s' % rerr)\n continue\n raise rerr\n except ValueError as rerr:\n log.warn(\n 'ValueError from aiohttp: redirect to non-http or https')\n raise rerr\n except RuntimeError as rerr:\n log.warn('RuntimeError from aiohttp: session closed')\n raise rerr\n status = response.status\n if 500 <= status and status < 600 and retry < retries:\n if retry < retries:\n log.warn('Retrying because of: %d status' % status)\n continue\n else:\n raise exceptions.TaskclusterRestFailure(\n 'Unknown Server Error', superExc=None)\n return response\n finally:\n cleanup()\n assert False, 'Error from last retry should have been raised!'\n",
"role": "user"
},
{
"content": "makeHttpRequest",
"role": "assistant"
}
] |
def x(name):
if os.path.exists(name):
return os.path.abspath(name)
fonts = get_font_files()
if name in fonts:
return fonts[name]
raise FontNotFound("Can't find %r :'( Try adding it to ~/.fonts" % name)
|
resolve_font
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if os.path.exists(name):\n return os.path.abspath(name)\n fonts = get_font_files()\n if name in fonts:\n return fonts[name]\n raise FontNotFound(\"Can't find %r :'( Try adding it to ~/.fonts\" % name)\n",
"role": "user"
},
{
"content": "resolve_font",
"role": "assistant"
}
] |
def x():
roots = ['/usr/share/fonts/truetype', '/usr/share/fonts', os.path.
expanduser('~/.fonts'), os.path.abspath(os.path.join(os.path.
dirname(__file__), 'fonts'))]
result = {}
for root in roots:
for path, dirs, names in os.walk(root):
for name in names:
if name.endswith(('.ttf', '.otf')):
result[name[:-4]] = os.path.join(path, name)
return result
|
get_font_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n roots = ['/usr/share/fonts/truetype', '/usr/share/fonts', os.path.\n expanduser('~/.fonts'), os.path.abspath(os.path.join(os.path.\n dirname(__file__), 'fonts'))]\n result = {}\n for root in roots:\n for path, dirs, names in os.walk(root):\n for name in names:\n if name.endswith(('.ttf', '.otf')):\n result[name[:-4]] = os.path.join(path, name)\n return result\n",
"role": "user"
},
{
"content": "get_font_files",
"role": "assistant"
}
] |
def x():
import optparse
parser = optparse.OptionParser()
parser.add_option('-l', '--list', dest='list', action='store_true',
default=False, help='List available fonts')
parser.add_option('-S', '--skew', dest='skew', type='int', default=None,
help=
"Apply skew effect (measured in pixels) to make it look extra cool. For example, Fabulous' logo logo is skewed by 5 pixels. Default: %default"
)
parser.add_option('-C', '--color', dest='color', default='#0099ff',
help=
'Color of your text. This can be specified as you would using HTML/CSS. Default: %default'
)
parser.add_option('-B', '--term-color', dest='term_color', default=None,
help=
"If you terminal background isn't black, please change this value to the proper background so semi-transparent pixels will blend properly."
)
parser.add_option('-F', '--font', dest='font', default='NotoSans-Bold',
help=
'Name of font file, or absolute path to one. Use the --list flag to see what fonts are available. Fabulous bundles the NotoSans-Bold and NotoEmoji-Regular fonts, which are guaranteed to work. Default: %default'
)
parser.add_option('-Z', '--size', dest='fsize', type='int', default=23,
help='Size of font in points. Default: %default')
parser.add_option('-s', '--shadow', dest='shadow', action='store_true',
default=False, help='Size of font in points. Default: %default')
options, args = parser.parse_args(args=sys.argv[1:])
if options.list:
print('\n'.join(sorted(get_font_files())))
return
if options.term_color:
utils.term.bgcolor = options.term_color
text = ' '.join(args)
if not isinstance(text, unicode):
text = text.decode('utf-8')
for line in text.split('\n'):
fab_text = Text(line, skew=options.skew, color=options.color, font=
options.font, fsize=options.fsize, shadow=options.shadow)
for chunk in fab_text:
printy(chunk)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import optparse\n parser = optparse.OptionParser()\n parser.add_option('-l', '--list', dest='list', action='store_true',\n default=False, help='List available fonts')\n parser.add_option('-S', '--skew', dest='skew', type='int', default=None,\n help=\n \"Apply skew effect (measured in pixels) to make it look extra cool. For example, Fabulous' logo logo is skewed by 5 pixels. Default: %default\"\n )\n parser.add_option('-C', '--color', dest='color', default='#0099ff',\n help=\n 'Color of your text. This can be specified as you would using HTML/CSS. Default: %default'\n )\n parser.add_option('-B', '--term-color', dest='term_color', default=None,\n help=\n \"If you terminal background isn't black, please change this value to the proper background so semi-transparent pixels will blend properly.\"\n )\n parser.add_option('-F', '--font', dest='font', default='NotoSans-Bold',\n help=\n 'Name of font file, or absolute path to one. Use the --list flag to see what fonts are available. Fabulous bundles the NotoSans-Bold and NotoEmoji-Regular fonts, which are guaranteed to work. Default: %default'\n )\n parser.add_option('-Z', '--size', dest='fsize', type='int', default=23,\n help='Size of font in points. Default: %default')\n parser.add_option('-s', '--shadow', dest='shadow', action='store_true',\n default=False, help='Size of font in points. Default: %default')\n options, args = parser.parse_args(args=sys.argv[1:])\n if options.list:\n print('\\n'.join(sorted(get_font_files())))\n return\n if options.term_color:\n utils.term.bgcolor = options.term_color\n text = ' '.join(args)\n if not isinstance(text, unicode):\n text = text.decode('utf-8')\n for line in text.split('\\n'):\n fab_text = Text(line, skew=options.skew, color=options.color, font=\n options.font, fsize=options.fsize, shadow=options.shadow)\n for chunk in fab_text:\n printy(chunk)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._makeApiCall(self.funcinfo['purgeCache'], *args, **kwargs)
|
purgeCache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._makeApiCall(self.funcinfo['purgeCache'], *args, **kwargs)\n",
"role": "user"
},
{
"content": "purgeCache",
"role": "assistant"
}
] |
def x(raw):
reverse = raw[::-1]
asdf = ''.join(ASDF)
return raw in asdf or reverse in asdf
|
is_asdf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw):\n reverse = raw[::-1]\n asdf = ''.join(ASDF)\n return raw in asdf or reverse in asdf\n",
"role": "user"
},
{
"content": "is_asdf",
"role": "assistant"
}
] |
def x(raw):
delta = ord(raw[1]) - ord(raw[0])
for i in range(2, len(raw)):
if ord(raw[i]) - ord(raw[i - 1]) != delta:
return False
return True
|
is_by_step
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw):\n delta = ord(raw[1]) - ord(raw[0])\n for i in range(2, len(raw)):\n if ord(raw[i]) - ord(raw[i - 1]) != delta:\n return False\n return True\n",
"role": "user"
},
{
"content": "is_by_step",
"role": "assistant"
}
] |
def x(raw, freq=0):
frequent = WORDS.get(raw, 0)
if freq:
return frequent > freq
return bool(frequent)
|
is_common_password
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw, freq=0):\n frequent = WORDS.get(raw, 0)\n if freq:\n return frequent > freq\n return bool(frequent)\n",
"role": "user"
},
{
"content": "is_common_password",
"role": "assistant"
}
] |
def x(raw, length=8, freq=0, min_types=3, level=STRONG):
raw = to_unicode(raw)
if level > STRONG:
level = STRONG
if len(raw) < length:
return Strength(False, 'terrible', 'password is too short')
if is_asdf(raw) or is_by_step(raw):
return Strength(False, 'simple', 'password has a pattern')
if is_common_password(raw, freq=freq):
return Strength(False, 'simple', 'password is too common')
types = 0
if LOWER.search(raw):
types += 1
if UPPER.search(raw):
types += 1
if NUMBER.search(raw):
types += 1
if MARKS.search(raw):
types += 1
if types < 2:
return Strength(level <= SIMPLE, 'simple', 'password is too simple')
if types < min_types:
return Strength(level <= MEDIUM, 'medium',
'password is good enough, but not strong')
return Strength(True, 'strong', 'password is perfect')
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw, length=8, freq=0, min_types=3, level=STRONG):\n raw = to_unicode(raw)\n if level > STRONG:\n level = STRONG\n if len(raw) < length:\n return Strength(False, 'terrible', 'password is too short')\n if is_asdf(raw) or is_by_step(raw):\n return Strength(False, 'simple', 'password has a pattern')\n if is_common_password(raw, freq=freq):\n return Strength(False, 'simple', 'password is too common')\n types = 0\n if LOWER.search(raw):\n types += 1\n if UPPER.search(raw):\n types += 1\n if NUMBER.search(raw):\n types += 1\n if MARKS.search(raw):\n types += 1\n if types < 2:\n return Strength(level <= SIMPLE, 'simple', 'password is too simple')\n if types < min_types:\n return Strength(level <= MEDIUM, 'medium',\n 'password is good enough, but not strong')\n return Strength(True, 'strong', 'password is perfect')\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(self, url, method='get', data=None, extra_headers=None):
attempts = 0
while attempts < 1:
if not self._is_authenticated:
self._authenticate()
try:
return self._send_request(url, method, data, extra_headers)
except HTTPError as e:
if e.response.status_code == 403:
logger.info(
'Authenticated session against NetMRI timed out. Retrying.'
)
self._is_authenticated = False
attempts += 1
else:
raise
|
make_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, method='get', data=None, extra_headers=None):\n attempts = 0\n while attempts < 1:\n if not self._is_authenticated:\n self._authenticate()\n try:\n return self._send_request(url, method, data, extra_headers)\n except HTTPError as e:\n if e.response.status_code == 403:\n logger.info(\n 'Authenticated session against NetMRI timed out. Retrying.'\n )\n self._is_authenticated = False\n attempts += 1\n else:\n raise\n",
"role": "user"
},
{
"content": "make_request",
"role": "assistant"
}
] |
def x(self, url, method='get', data=None, extra_headers=None):
headers = {'Content-type': 'application/json'}
if isinstance(extra_headers, dict):
headers.update(extra_headers)
if not data or 'password' not in data:
logger.debug('Sending {method} request to {url} with data {data}'.
format(method=method.upper(), url=url, data=data))
r = self.session.request(method, url, headers=headers, data=data)
r.raise_for_status()
return r.json()
|
send_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, method='get', data=None, extra_headers=None):\n headers = {'Content-type': 'application/json'}\n if isinstance(extra_headers, dict):\n headers.update(extra_headers)\n if not data or 'password' not in data:\n logger.debug('Sending {method} request to {url} with data {data}'.\n format(method=method.upper(), url=url, data=data))\n r = self.session.request(method, url, headers=headers, data=data)\n r.raise_for_status()\n return r.json()\n",
"role": "user"
},
{
"content": "send_request",
"role": "assistant"
}
] |
def x(self):
url = '{base_url}/api/server_info'.format(base_url=self._base_url())
server_info = self._make_request(url=url, method='get')
return server_info['latest_api_version']
|
get_api_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = '{base_url}/api/server_info'.format(base_url=self._base_url())\n server_info = self._make_request(url=url, method='get')\n return server_info['latest_api_version']\n",
"role": "user"
},
{
"content": "get_api_version",
"role": "assistant"
}
] |
def x(self):
url = '{base_url}/api/authenticate'.format(base_url=self._base_url())
data = json.dumps({'username': self.username, 'password': self.password})
logger.debug('Authenticating against NetMRI')
self._send_request(url, method='post', data=data)
self._is_authenticated = True
|
authenticate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = '{base_url}/api/authenticate'.format(base_url=self._base_url())\n data = json.dumps({'username': self.username, 'password': self.password})\n logger.debug('Authenticating against NetMRI')\n self._send_request(url, method='post', data=data)\n self._is_authenticated = True\n",
"role": "user"
},
{
"content": "authenticate",
"role": "assistant"
}
] |
def x(self, objtype):
if objtype.endswith('y'):
return objtype[:-1] + 'ies'
if objtype[-1] in 'sx' or objtype[-2:] in ['sh', 'ch']:
return objtype + 'es'
if objtype.endswith('an'):
return objtype[:-2] + 'en'
return objtype + 's'
|
controller_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objtype):\n if objtype.endswith('y'):\n return objtype[:-1] + 'ies'\n if objtype[-1] in 'sx' or objtype[-2:] in ['sh', 'ch']:\n return objtype + 'es'\n if objtype.endswith('an'):\n return objtype[:-2] + 'en'\n return objtype + 's'\n",
"role": "user"
},
{
"content": "controller_name",
"role": "assistant"
}
] |
def x(self, objtype, objid):
return '{base_url}/api/{api_version}/{controller}/{obj_id}'.format(base_url
=self._base_url(), api_version=self.api_version, controller=self.
_controller_name(objtype), obj_id=objid)
|
object_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objtype, objid):\n return '{base_url}/api/{api_version}/{controller}/{obj_id}'.format(base_url\n =self._base_url(), api_version=self.api_version, controller=self.\n _controller_name(objtype), obj_id=objid)\n",
"role": "user"
},
{
"content": "object_url",
"role": "assistant"
}
] |
def x(self, method_name):
return '{base_url}/api/{api}/{method}'.format(base_url=self._base_url(),
api=self.api_version, method=method_name)
|
method_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method_name):\n return '{base_url}/api/{api}/{method}'.format(base_url=self._base_url(),\n api=self.api_version, method=method_name)\n",
"role": "user"
},
{
"content": "method_url",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.