source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(self):
if not self._ports:
family = self.get_property('adapter-family')
try:
port_type = self.port_type_by_family[family]
except KeyError:
port_type = None
self._ports = PortManager(self, port_type)
return self._ports
|
ports
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._ports:\n family = self.get_property('adapter-family')\n try:\n port_type = self.port_type_by_family[family]\n except KeyError:\n port_type = None\n self._ports = PortManager(self, port_type)\n return self._ports\n",
"role": "user"
},
{
"content": "ports",
"role": "assistant"
}
] |
def x(self):
if self._port_uris_prop is None:
family = self.get_property('adapter-family')
try:
self._port_uris_prop = self.port_uris_prop_by_family[family]
except KeyError:
self._port_uris_prop = ''
return self._port_uris_prop
|
port_uris_prop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._port_uris_prop is None:\n family = self.get_property('adapter-family')\n try:\n self._port_uris_prop = self.port_uris_prop_by_family[family]\n except KeyError:\n self._port_uris_prop = ''\n return self._port_uris_prop\n",
"role": "user"
},
{
"content": "port_uris_prop",
"role": "assistant"
}
] |
def x(self):
if self._port_uri_segment is None:
family = self.get_property('adapter-family')
try:
self._port_uri_segment = self.port_uri_segment_by_family[family]
except KeyError:
self._port_uri_segment = ''
return self._port_uri_segment
|
port_uri_segment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._port_uri_segment is None:\n family = self.get_property('adapter-family')\n try:\n self._port_uri_segment = self.port_uri_segment_by_family[family]\n except KeyError:\n self._port_uri_segment = ''\n return self._port_uri_segment\n",
"role": "user"
},
{
"content": "port_uri_segment",
"role": "assistant"
}
] |
def x(self):
if self.get_property('adapter-family') != 'crypto':
return None
card_type = self.get_property('detected-card-type')
if card_type.startswith('crypto-express-'):
max_domains = self.manager.cpc.maximum_active_partitions
else:
raise ValueError('Unknown crypto card type: {!r}'.format(card_type))
return max_domains
|
maximum_crypto_domains
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.get_property('adapter-family') != 'crypto':\n return None\n card_type = self.get_property('detected-card-type')\n if card_type.startswith('crypto-express-'):\n max_domains = self.manager.cpc.maximum_active_partitions\n else:\n raise ValueError('Unknown crypto card type: {!r}'.format(card_type))\n return max_domains\n",
"role": "user"
},
{
"content": "maximum_crypto_domains",
"role": "assistant"
}
] |
def x(self, crypto_type, zeroize=None):
body = {'crypto-type': crypto_type}
if zeroize is not None:
body['zeroize'] = zeroize
self.manager.session.post(self.uri + '/operations/change-crypto-type', body
)
|
change_crypto_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, crypto_type, zeroize=None):\n body = {'crypto-type': crypto_type}\n if zeroize is not None:\n body['zeroize'] = zeroize\n self.manager.session.post(self.uri + '/operations/change-crypto-type', body\n )\n",
"role": "user"
},
{
"content": "change_crypto_type",
"role": "assistant"
}
] |
def x(self, adapter_type):
body = {'type': adapter_type}
self.manager.session.post(self.uri + '/operations/change-adapter-type',
body)
|
change_adapter_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, adapter_type):\n body = {'type': adapter_type}\n self.manager.session.post(self.uri + '/operations/change-adapter-type',\n body)\n",
"role": "user"
},
{
"content": "change_adapter_type",
"role": "assistant"
}
] |
def x(self, load_address, wwpn, lun, load_parameter=None, disk_partition_id
=None, operating_system_specific_load_parameters=None,
boot_record_logical_block_address=None, force=False,
wait_for_completion=True, operation_timeout=None, status_timeout=None,
allow_status_exceptions=False):
body = {}
body['load-address'] = load_address
body['world-wide-port-name'] = wwpn
body['logical-unit-number'] = lun
if load_parameter:
body['load-parameter'] = load_parameter
if disk_partition_id is not None:
body['disk-partition-id'] = disk_partition_id
if operating_system_specific_load_parameters:
body['operating-system-specific-load-parameters'
] = operating_system_specific_load_parameters
if boot_record_logical_block_address:
body['boot-record-logical-block-address'
] = boot_record_logical_block_address
if force:
body['force'] = force
result = self.manager.session.post(self.uri + '/operations/scsi-load',
body, wait_for_completion=wait_for_completion, operation_timeout=
operation_timeout)
if wait_for_completion:
statuses = ['operating']
if allow_status_exceptions:
statuses.append('exceptions')
self.wait_for_status(statuses, status_timeout)
return result
|
scsi_load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, load_address, wwpn, lun, load_parameter=None, disk_partition_id\n =None, operating_system_specific_load_parameters=None,\n boot_record_logical_block_address=None, force=False,\n wait_for_completion=True, operation_timeout=None, status_timeout=None,\n allow_status_exceptions=False):\n body = {}\n body['load-address'] = load_address\n body['world-wide-port-name'] = wwpn\n body['logical-unit-number'] = lun\n if load_parameter:\n body['load-parameter'] = load_parameter\n if disk_partition_id is not None:\n body['disk-partition-id'] = disk_partition_id\n if operating_system_specific_load_parameters:\n body['operating-system-specific-load-parameters'\n ] = operating_system_specific_load_parameters\n if boot_record_logical_block_address:\n body['boot-record-logical-block-address'\n ] = boot_record_logical_block_address\n if force:\n body['force'] = force\n result = self.manager.session.post(self.uri + '/operations/scsi-load',\n body, wait_for_completion=wait_for_completion, operation_timeout=\n operation_timeout)\n if wait_for_completion:\n statuses = ['operating']\n if allow_status_exceptions:\n statuses.append('exceptions')\n self.wait_for_status(statuses, status_timeout)\n return result\n",
"role": "user"
},
{
"content": "scsi_load",
"role": "assistant"
}
] |
def x(self, load_address=None, load_parameter=None, clear_indicator=True,
store_status_indicator=False, wait_for_completion=True,
operation_timeout=None, status_timeout=None, allow_status_exceptions=
False, force=False):
body = {}
if load_address:
body['load-address'] = load_address
if load_parameter:
body['load-parameter'] = load_parameter
if force:
body['force'] = force
if not clear_indicator:
body['clear-indicator'] = clear_indicator
if store_status_indicator:
body['store-status-indicator'] = store_status_indicator
result = self.manager.session.post(self.uri + '/operations/load', body,
wait_for_completion=wait_for_completion, operation_timeout=
operation_timeout)
if wait_for_completion:
statuses = ['operating']
if allow_status_exceptions:
statuses.append('exceptions')
self.wait_for_status(statuses, status_timeout)
return result
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, load_address=None, load_parameter=None, clear_indicator=True,\n store_status_indicator=False, wait_for_completion=True,\n operation_timeout=None, status_timeout=None, allow_status_exceptions=\n False, force=False):\n body = {}\n if load_address:\n body['load-address'] = load_address\n if load_parameter:\n body['load-parameter'] = load_parameter\n if force:\n body['force'] = force\n if not clear_indicator:\n body['clear-indicator'] = clear_indicator\n if store_status_indicator:\n body['store-status-indicator'] = store_status_indicator\n result = self.manager.session.post(self.uri + '/operations/load', body,\n wait_for_completion=wait_for_completion, operation_timeout=\n operation_timeout)\n if wait_for_completion:\n statuses = ['operating']\n if allow_status_exceptions:\n statuses.append('exceptions')\n self.wait_for_status(statuses, status_timeout)\n return result\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, wait_for_completion=True, operation_timeout=None,
status_timeout=None, allow_status_exceptions=False):
body = {}
result = self.manager.session.post(self.uri + '/operations/stop', body,
wait_for_completion=wait_for_completion, operation_timeout=
operation_timeout)
if wait_for_completion:
statuses = ['operating']
if allow_status_exceptions:
statuses.append('exceptions')
self.wait_for_status(statuses, status_timeout)
return result
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wait_for_completion=True, operation_timeout=None,\n status_timeout=None, allow_status_exceptions=False):\n body = {}\n result = self.manager.session.post(self.uri + '/operations/stop', body,\n wait_for_completion=wait_for_completion, operation_timeout=\n operation_timeout)\n if wait_for_completion:\n statuses = ['operating']\n if allow_status_exceptions:\n statuses.append('exceptions')\n self.wait_for_status(statuses, status_timeout)\n return result\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(exc, retry_timeout_config):
if isinstance(exc, requests.exceptions.ConnectTimeout):
raise ConnectTimeout(_request_exc_message(exc), exc,
retry_timeout_config.connect_timeout, retry_timeout_config.
connect_retries)
elif isinstance(exc, requests.exceptions.ReadTimeout):
raise ReadTimeout(_request_exc_message(exc), exc,
retry_timeout_config.read_timeout, retry_timeout_config.
read_retries)
elif isinstance(exc, requests.exceptions.RetryError):
raise RetriesExceeded(_request_exc_message(exc), exc,
retry_timeout_config.connect_retries)
else:
raise ConnectionError(_request_exc_message(exc), exc)
|
handle_request_exc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exc, retry_timeout_config):\n if isinstance(exc, requests.exceptions.ConnectTimeout):\n raise ConnectTimeout(_request_exc_message(exc), exc,\n retry_timeout_config.connect_timeout, retry_timeout_config.\n connect_retries)\n elif isinstance(exc, requests.exceptions.ReadTimeout):\n raise ReadTimeout(_request_exc_message(exc), exc,\n retry_timeout_config.read_timeout, retry_timeout_config.\n read_retries)\n elif isinstance(exc, requests.exceptions.RetryError):\n raise RetriesExceeded(_request_exc_message(exc), exc,\n retry_timeout_config.connect_retries)\n else:\n raise ConnectionError(_request_exc_message(exc), exc)\n",
"role": "user"
},
{
"content": "handle_request_exc",
"role": "assistant"
}
] |
def x(exc):
if exc.args:
if isinstance(exc.args[0], Exception):
org_exc = exc.args[0]
if isinstance(org_exc, urllib3.exceptions.MaxRetryError):
reason_exc = org_exc.reason
message = str(reason_exc)
else:
message = str(org_exc.args[0])
else:
message = str(exc.args[0])
m = re.match("^(\\(<[^>]+>, \\'(.*)\\'\\)|<[^>]+>: (.*))$", message)
if m:
message = m.group(2) or m.group(3)
else:
message = ''
return message
|
request_exc_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exc):\n if exc.args:\n if isinstance(exc.args[0], Exception):\n org_exc = exc.args[0]\n if isinstance(org_exc, urllib3.exceptions.MaxRetryError):\n reason_exc = org_exc.reason\n message = str(reason_exc)\n else:\n message = str(org_exc.args[0])\n else:\n message = str(exc.args[0])\n m = re.match(\"^(\\\\(<[^>]+>, \\\\'(.*)\\\\'\\\\)|<[^>]+>: (.*))$\", message)\n if m:\n message = m.group(2) or m.group(3)\n else:\n message = ''\n return message\n",
"role": "user"
},
{
"content": "request_exc_message",
"role": "assistant"
}
] |
def x(text, max_len=1000):
if text is None:
text_repr = 'None'
elif len(text) > max_len:
text_repr = repr(text[0:max_len]) + '...'
else:
text_repr = repr(text)
return text_repr
|
text_repr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, max_len=1000):\n if text is None:\n text_repr = 'None'\n elif len(text) > max_len:\n text_repr = repr(text[0:max_len]) + '...'\n else:\n text_repr = repr(text)\n return text_repr\n",
"role": "user"
},
{
"content": "text_repr",
"role": "assistant"
}
] |
def x(result):
content_type = result.headers.get('content-type', None)
if content_type is None or content_type.startswith('application/json'):
try:
return result.json(object_pairs_hook=OrderedDict)
except ValueError as exc:
raise ParseError(
'JSON parse error in HTTP response: {}. HTTP request: {} {}. Response status {}. Response content-type: {!r}. Content (max.1000, decoded using {}): {}'
.format(exc.args[0], result.request.method, result.request.
url, result.status_code, content_type, result.encoding,
_text_repr(result.text, 1000)))
elif content_type.startswith('text/html'):
m = re.search('charset=([^;,]+)', content_type)
if m:
encoding = m.group(1)
else:
encoding = 'utf-8'
try:
html_uni = result.content.decode(encoding)
except LookupError:
html_uni = result.content.decode()
html_oneline = html_uni.replace('\r\n', '\\n').replace('\r', '\\n'
).replace('\n', '\\n')
if re.search(
'javax\\.servlet\\.ServletException: Web Services are not enabled\\.'
, html_oneline):
html_title = 'Console Configuration Error'
html_details = 'Web Services API is not enabled on the HMC.'
html_reason = HTML_REASON_WEB_SERVICES_DISABLED
else:
m = re.search(
'<title>([^<]*)</title>.*<h2>Details:</h2>(.*)(<hr size="1" noshade>)?</body>'
, html_oneline)
if m:
html_title = m.group(1)
html_details = m.group(2).replace('<p>', '\\n').replace('<br>',
'\\n').replace('\\n\\n', '\\n').strip()
else:
html_title = 'Console Internal Error'
html_details = 'Response body: {!r}'.format(html_uni)
html_reason = HTML_REASON_OTHER
message = '{}: {}'.format(html_title, html_details)
result_obj = {'http-status': result.status_code, 'reason':
html_reason, 'message': message, 'request-uri': result.request.
url, 'request-method': result.request.method}
return result_obj
elif content_type.startswith('application/vnd.ibm-z-zmanager-metrics'):
content_bytes = result.content
assert isinstance(content_bytes, six.binary_type)
return content_bytes.decode('utf-8')
else:
raise ParseError(
'Unknown content type in HTTP response: {}. HTTP request: {} {}. Response status {}. Response content-type: {!r}. Content (max.1000, decoded using {}): {}'
.format(content_type, result.request.method, result.request.url,
result.status_code, content_type, result.encoding, _text_repr(
result.text, 1000)))
|
result_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(result):\n content_type = result.headers.get('content-type', None)\n if content_type is None or content_type.startswith('application/json'):\n try:\n return result.json(object_pairs_hook=OrderedDict)\n except ValueError as exc:\n raise ParseError(\n 'JSON parse error in HTTP response: {}. HTTP request: {} {}. Response status {}. Response content-type: {!r}. Content (max.1000, decoded using {}): {}'\n .format(exc.args[0], result.request.method, result.request.\n url, result.status_code, content_type, result.encoding,\n _text_repr(result.text, 1000)))\n elif content_type.startswith('text/html'):\n m = re.search('charset=([^;,]+)', content_type)\n if m:\n encoding = m.group(1)\n else:\n encoding = 'utf-8'\n try:\n html_uni = result.content.decode(encoding)\n except LookupError:\n html_uni = result.content.decode()\n html_oneline = html_uni.replace('\\r\\n', '\\\\n').replace('\\r', '\\\\n'\n ).replace('\\n', '\\\\n')\n if re.search(\n 'javax\\\\.servlet\\\\.ServletException: Web Services are not enabled\\\\.'\n , html_oneline):\n html_title = 'Console Configuration Error'\n html_details = 'Web Services API is not enabled on the HMC.'\n html_reason = HTML_REASON_WEB_SERVICES_DISABLED\n else:\n m = re.search(\n '<title>([^<]*)</title>.*<h2>Details:</h2>(.*)(<hr size=\"1\" noshade>)?</body>'\n , html_oneline)\n if m:\n html_title = m.group(1)\n html_details = m.group(2).replace('<p>', '\\\\n').replace('<br>',\n '\\\\n').replace('\\\\n\\\\n', '\\\\n').strip()\n else:\n html_title = 'Console Internal Error'\n html_details = 'Response body: {!r}'.format(html_uni)\n html_reason = HTML_REASON_OTHER\n message = '{}: {}'.format(html_title, html_details)\n result_obj = {'http-status': result.status_code, 'reason':\n html_reason, 'message': message, 'request-uri': result.request.\n url, 'request-method': result.request.method}\n return result_obj\n elif content_type.startswith('application/vnd.ibm-z-zmanager-metrics'):\n content_bytes = result.content\n assert isinstance(content_bytes, six.binary_type)\n return content_bytes.decode('utf-8')\n else:\n raise ParseError(\n 'Unknown content type in HTTP response: {}. HTTP request: {} {}. Response status {}. Response content-type: {!r}. Content (max.1000, decoded using {}): {}'\n .format(content_type, result.request.method, result.request.url,\n result.status_code, content_type, result.encoding, _text_repr(\n result.text, 1000)))\n",
"role": "user"
},
{
"content": "result_object",
"role": "assistant"
}
] |
def x(self, override_config):
ret = RetryTimeoutConfig()
for attr in RetryTimeoutConfig._attrs:
value = getattr(self, attr)
if override_config and getattr(override_config, attr) is not None:
value = getattr(override_config, attr)
setattr(ret, attr, value)
return ret
|
override_with
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, override_config):\n ret = RetryTimeoutConfig()\n for attr in RetryTimeoutConfig._attrs:\n value = getattr(self, attr)\n if override_config and getattr(override_config, attr) is not None:\n value = getattr(override_config, attr)\n setattr(ret, attr, value)\n return ret\n",
"role": "user"
},
{
"content": "override_with",
"role": "assistant"
}
] |
def x(self, verify=False):
if self._session_id is None:
return False
if verify:
try:
self.get('/api/console', logon_required=True)
except ServerAuthError:
return False
return True
|
is_logon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verify=False):\n if self._session_id is None:\n return False\n if verify:\n try:\n self.get('/api/console', logon_required=True)\n except ServerAuthError:\n return False\n return True\n",
"role": "user"
},
{
"content": "is_logon",
"role": "assistant"
}
] |
def x(self):
if self._userid is None:
raise ClientAuthError('Userid is not provided.')
if self._password is None:
if self._get_password:
self._password = self._get_password(self._host, self._userid)
else:
raise ClientAuthError('Password is not provided.')
logon_uri = '/api/sessions'
logon_body = {'userid': self._userid, 'password': self._password}
self._headers.pop('X-API-Session', None)
self._session = self._new_session(self.retry_timeout_config)
logon_res = self.post(logon_uri, logon_body, logon_required=False)
self._session_id = logon_res['api-session']
self._headers['X-API-Session'] = self._session_id
|
do_logon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._userid is None:\n raise ClientAuthError('Userid is not provided.')\n if self._password is None:\n if self._get_password:\n self._password = self._get_password(self._host, self._userid)\n else:\n raise ClientAuthError('Password is not provided.')\n logon_uri = '/api/sessions'\n logon_body = {'userid': self._userid, 'password': self._password}\n self._headers.pop('X-API-Session', None)\n self._session = self._new_session(self.retry_timeout_config)\n logon_res = self.post(logon_uri, logon_body, logon_required=False)\n self._session_id = logon_res['api-session']\n self._headers['X-API-Session'] = self._session_id\n",
"role": "user"
},
{
"content": "do_logon",
"role": "assistant"
}
] |
def x(retry_timeout_config):
retry = requests.packages.urllib3.Retry(total=None, connect=
retry_timeout_config.connect_retries, read=retry_timeout_config.
read_retries, method_whitelist=retry_timeout_config.
method_whitelist, redirect=retry_timeout_config.max_redirects)
session = requests.Session()
session.mount('https://', requests.adapters.HTTPAdapter(max_retries=retry))
session.mount('http://', requests.adapters.HTTPAdapter(max_retries=retry))
return session
|
new_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(retry_timeout_config):\n retry = requests.packages.urllib3.Retry(total=None, connect=\n retry_timeout_config.connect_retries, read=retry_timeout_config.\n read_retries, method_whitelist=retry_timeout_config.\n method_whitelist, redirect=retry_timeout_config.max_redirects)\n session = requests.Session()\n session.mount('https://', requests.adapters.HTTPAdapter(max_retries=retry))\n session.mount('http://', requests.adapters.HTTPAdapter(max_retries=retry))\n return session\n",
"role": "user"
},
{
"content": "new_session",
"role": "assistant"
}
] |
def x(self):
session_uri = '/api/sessions/this-session'
self.delete(session_uri, logon_required=False)
self._session_id = None
self._session = None
self._headers.pop('X-API-Session', None)
|
do_logoff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n session_uri = '/api/sessions/this-session'\n self.delete(session_uri, logon_required=False)\n self._session_id = None\n self._session = None\n self._headers.pop('X-API-Session', None)\n",
"role": "user"
},
{
"content": "do_logoff",
"role": "assistant"
}
] |
def x(method, url, headers=None, content=None):
if method == 'POST' and url.endswith('/api/sessions'):
if sys.version_info[0] == 3 and sys.version_info[1] in (4, 5
) and isinstance(content, six.binary_type):
content = content.decode('utf-8')
content_dict = json.loads(content)
content_dict['password'] = '********'
content = json.dumps(content_dict)
if headers and 'X-API-Session' in headers:
headers = headers.copy()
headers['X-API-Session'] = '********'
HMC_LOGGER.debug('Request: %s %s, headers: %r, content(max.1000): %.1000r',
method, url, headers, content)
|
log_http_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, url, headers=None, content=None):\n if method == 'POST' and url.endswith('/api/sessions'):\n if sys.version_info[0] == 3 and sys.version_info[1] in (4, 5\n ) and isinstance(content, six.binary_type):\n content = content.decode('utf-8')\n content_dict = json.loads(content)\n content_dict['password'] = '********'\n content = json.dumps(content_dict)\n if headers and 'X-API-Session' in headers:\n headers = headers.copy()\n headers['X-API-Session'] = '********'\n HMC_LOGGER.debug('Request: %s %s, headers: %r, content(max.1000): %.1000r',\n method, url, headers, content)\n",
"role": "user"
},
{
"content": "log_http_request",
"role": "assistant"
}
] |
def x(method, url, status, headers=None, content=None):
if method == 'POST' and url.endswith('/api/sessions'):
if sys.version_info[0] == 3 and sys.version_info[1] in (4, 5
) and isinstance(content, six.binary_type):
content = content.decode('utf-8')
try:
content_dict = json.loads(content)
except ValueError as exc:
content = ('"Error: Cannot parse JSON payload of response: {}"'
.format(exc))
else:
content_dict['api-session'] = '********'
content_dict['session-credential'] = '********'
content = json.dumps(content_dict)
if headers and 'X-API-Session' in headers:
headers = headers.copy()
headers['X-API-Session'] = '********'
HMC_LOGGER.debug(
'Respons: %s %s, status: %s, headers: %r, content(max.1000): %.1000r',
method, url, status, headers, content)
|
log_http_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, url, status, headers=None, content=None):\n if method == 'POST' and url.endswith('/api/sessions'):\n if sys.version_info[0] == 3 and sys.version_info[1] in (4, 5\n ) and isinstance(content, six.binary_type):\n content = content.decode('utf-8')\n try:\n content_dict = json.loads(content)\n except ValueError as exc:\n content = ('\"Error: Cannot parse JSON payload of response: {}\"'\n .format(exc))\n else:\n content_dict['api-session'] = '********'\n content_dict['session-credential'] = '********'\n content = json.dumps(content_dict)\n if headers and 'X-API-Session' in headers:\n headers = headers.copy()\n headers['X-API-Session'] = '********'\n HMC_LOGGER.debug(\n 'Respons: %s %s, status: %s, headers: %r, content(max.1000): %.1000r',\n method, url, status, headers, content)\n",
"role": "user"
},
{
"content": "log_http_response",
"role": "assistant"
}
] |
def x(self, uri, body=None, logon_required=True, wait_for_completion=False,
operation_timeout=None):
if logon_required:
self.logon()
url = self.base_url + uri
headers = self.headers.copy()
if body is None:
data = None
elif isinstance(body, dict):
data = json.dumps(body)
elif isinstance(body, six.text_type):
data = body.encode('utf-8')
headers['Content-type'] = 'application/octet-stream'
elif isinstance(body, six.binary_type):
data = body
headers['Content-type'] = 'application/octet-stream'
elif isinstance(body, collections.Iterable):
data = body
headers['Content-type'] = 'application/octet-stream'
else:
raise TypeError('Body has invalid type: {}'.format(type(body)))
self._log_http_request('POST', url, headers=headers, content=data)
req = self._session or requests
req_timeout = (self.retry_timeout_config.connect_timeout, self.
retry_timeout_config.read_timeout)
if wait_for_completion:
stats_total = self.time_stats_keeper.get_stats('post ' + uri +
'+completion')
stats_total.begin()
try:
stats = self.time_stats_keeper.get_stats('post ' + uri)
stats.begin()
try:
if data is None:
result = req.post(url, headers=headers, verify=False,
timeout=req_timeout)
else:
result = req.post(url, data=data, headers=headers, verify=
False, timeout=req_timeout)
except requests.exceptions.RequestException as exc:
_handle_request_exc(exc, self.retry_timeout_config)
finally:
stats.end()
self._log_http_response('POST', url, status=result.status_code,
headers=result.headers, content=result.content)
if result.status_code in (200, 201):
return _result_object(result)
elif result.status_code == 204:
return None
elif result.status_code == 202:
if result.content == '':
return None
else:
result_object = _result_object(result)
job_uri = result_object['job-uri']
job = Job(self, job_uri, 'POST', uri)
if wait_for_completion:
return job.wait_for_completion(operation_timeout)
else:
return job
elif result.status_code == 403:
result_object = _result_object(result)
reason = result_object.get('reason', None)
if reason == 5:
self._do_logon()
return self.post(uri, body, logon_required)
else:
msg = result_object.get('message', None)
raise ServerAuthError('HTTP authentication failed: {}'.
format(msg), HTTPError(result_object))
else:
result_object = _result_object(result)
raise HTTPError(result_object)
finally:
if wait_for_completion:
stats_total.end()
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, body=None, logon_required=True, wait_for_completion=False,\n operation_timeout=None):\n if logon_required:\n self.logon()\n url = self.base_url + uri\n headers = self.headers.copy()\n if body is None:\n data = None\n elif isinstance(body, dict):\n data = json.dumps(body)\n elif isinstance(body, six.text_type):\n data = body.encode('utf-8')\n headers['Content-type'] = 'application/octet-stream'\n elif isinstance(body, six.binary_type):\n data = body\n headers['Content-type'] = 'application/octet-stream'\n elif isinstance(body, collections.Iterable):\n data = body\n headers['Content-type'] = 'application/octet-stream'\n else:\n raise TypeError('Body has invalid type: {}'.format(type(body)))\n self._log_http_request('POST', url, headers=headers, content=data)\n req = self._session or requests\n req_timeout = (self.retry_timeout_config.connect_timeout, self.\n retry_timeout_config.read_timeout)\n if wait_for_completion:\n stats_total = self.time_stats_keeper.get_stats('post ' + uri +\n '+completion')\n stats_total.begin()\n try:\n stats = self.time_stats_keeper.get_stats('post ' + uri)\n stats.begin()\n try:\n if data is None:\n result = req.post(url, headers=headers, verify=False,\n timeout=req_timeout)\n else:\n result = req.post(url, data=data, headers=headers, verify=\n False, timeout=req_timeout)\n except requests.exceptions.RequestException as exc:\n _handle_request_exc(exc, self.retry_timeout_config)\n finally:\n stats.end()\n self._log_http_response('POST', url, status=result.status_code,\n headers=result.headers, content=result.content)\n if result.status_code in (200, 201):\n return _result_object(result)\n elif result.status_code == 204:\n return None\n elif result.status_code == 202:\n if result.content == '':\n return None\n else:\n result_object = _result_object(result)\n job_uri = result_object['job-uri']\n job = Job(self, job_uri, 'POST', uri)\n if wait_for_completion:\n return job.wait_for_completion(operation_timeout)\n else:\n return job\n elif result.status_code == 403:\n result_object = _result_object(result)\n reason = result_object.get('reason', None)\n if reason == 5:\n self._do_logon()\n return self.post(uri, body, logon_required)\n else:\n msg = result_object.get('message', None)\n raise ServerAuthError('HTTP authentication failed: {}'.\n format(msg), HTTPError(result_object))\n else:\n result_object = _result_object(result)\n raise HTTPError(result_object)\n finally:\n if wait_for_completion:\n stats_total.end()\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, uri, logon_required=True):
if logon_required:
self.logon()
url = self.base_url + uri
self._log_http_request('DELETE', url, headers=self.headers)
stats = self.time_stats_keeper.get_stats('delete ' + uri)
stats.begin()
req = self._session or requests
req_timeout = (self.retry_timeout_config.connect_timeout, self.
retry_timeout_config.read_timeout)
try:
result = req.delete(url, headers=self.headers, verify=False,
timeout=req_timeout)
except requests.exceptions.RequestException as exc:
_handle_request_exc(exc, self.retry_timeout_config)
finally:
stats.end()
self._log_http_response('DELETE', url, status=result.status_code,
headers=result.headers, content=result.content)
if result.status_code in (200, 204):
return
elif result.status_code == 403:
result_object = _result_object(result)
reason = result_object.get('reason', None)
if reason == 5:
self._do_logon()
self.delete(uri, logon_required)
return
else:
msg = result_object.get('message', None)
raise ServerAuthError('HTTP authentication failed: {}'.format(
msg), HTTPError(result_object))
else:
result_object = _result_object(result)
raise HTTPError(result_object)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, logon_required=True):\n if logon_required:\n self.logon()\n url = self.base_url + uri\n self._log_http_request('DELETE', url, headers=self.headers)\n stats = self.time_stats_keeper.get_stats('delete ' + uri)\n stats.begin()\n req = self._session or requests\n req_timeout = (self.retry_timeout_config.connect_timeout, self.\n retry_timeout_config.read_timeout)\n try:\n result = req.delete(url, headers=self.headers, verify=False,\n timeout=req_timeout)\n except requests.exceptions.RequestException as exc:\n _handle_request_exc(exc, self.retry_timeout_config)\n finally:\n stats.end()\n self._log_http_response('DELETE', url, status=result.status_code,\n headers=result.headers, content=result.content)\n if result.status_code in (200, 204):\n return\n elif result.status_code == 403:\n result_object = _result_object(result)\n reason = result_object.get('reason', None)\n if reason == 5:\n self._do_logon()\n self.delete(uri, logon_required)\n return\n else:\n msg = result_object.get('message', None)\n raise ServerAuthError('HTTP authentication failed: {}'.format(\n msg), HTTPError(result_object))\n else:\n result_object = _result_object(result)\n raise HTTPError(result_object)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self):
job_result_obj = self.session.get(self.uri)
job_status = job_result_obj['status']
if job_status == 'complete':
self.session.delete(self.uri)
op_status_code = job_result_obj['job-status-code']
if op_status_code in (200, 201):
op_result_obj = job_result_obj.get('job-results', None)
elif op_status_code == 204:
op_result_obj = None
else:
error_result_obj = job_result_obj.get('job-results', None)
if not error_result_obj:
message = None
elif 'message' in error_result_obj:
message = error_result_obj['message']
elif 'error' in error_result_obj:
message = error_result_obj['error']
else:
message = None
error_obj = {'http-status': op_status_code, 'reason':
job_result_obj['job-reason-code'], 'message': message,
'request-method': self.op_method, 'request-uri': self.op_uri}
raise HTTPError(error_obj)
else:
op_result_obj = None
return job_status, op_result_obj
|
check_for_completion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n job_result_obj = self.session.get(self.uri)\n job_status = job_result_obj['status']\n if job_status == 'complete':\n self.session.delete(self.uri)\n op_status_code = job_result_obj['job-status-code']\n if op_status_code in (200, 201):\n op_result_obj = job_result_obj.get('job-results', None)\n elif op_status_code == 204:\n op_result_obj = None\n else:\n error_result_obj = job_result_obj.get('job-results', None)\n if not error_result_obj:\n message = None\n elif 'message' in error_result_obj:\n message = error_result_obj['message']\n elif 'error' in error_result_obj:\n message = error_result_obj['error']\n else:\n message = None\n error_obj = {'http-status': op_status_code, 'reason':\n job_result_obj['job-reason-code'], 'message': message,\n 'request-method': self.op_method, 'request-uri': self.op_uri}\n raise HTTPError(error_obj)\n else:\n op_result_obj = None\n return job_status, op_result_obj\n",
"role": "user"
},
{
"content": "check_for_completion",
"role": "assistant"
}
] |
def x(self, operation_timeout=None):
if operation_timeout is None:
operation_timeout = self.session.retry_timeout_config.operation_timeout
if operation_timeout > 0:
start_time = time.time()
while True:
job_status, op_result_obj = self.check_for_completion()
if job_status == 'complete':
return op_result_obj
if operation_timeout > 0:
current_time = time.time()
if current_time > start_time + operation_timeout:
raise OperationTimeout(
'Waiting for completion of job {} timed out (operation timeout: {} s)'
.format(self.uri, operation_timeout), operation_timeout)
time.sleep(1)
|
wait_for_completion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operation_timeout=None):\n if operation_timeout is None:\n operation_timeout = self.session.retry_timeout_config.operation_timeout\n if operation_timeout > 0:\n start_time = time.time()\n while True:\n job_status, op_result_obj = self.check_for_completion()\n if job_status == 'complete':\n return op_result_obj\n if operation_timeout > 0:\n current_time = time.time()\n if current_time > start_time + operation_timeout:\n raise OperationTimeout(\n 'Waiting for completion of job {} timed out (operation timeout: {} s)'\n .format(self.uri, operation_timeout), operation_timeout)\n time.sleep(1)\n",
"role": "user"
},
{
"content": "wait_for_completion",
"role": "assistant"
}
] |
def x(func):
module = inspect.getmodule(func)
if not inspect.isfunction(func) or not hasattr(module, '__name__'):
raise TypeError(
'The @logged_api_call decorator must be used on a function or method (and not on top of the @property decorator)'
)
try:
this_frame = inspect.currentframe()
apifunc_frame = this_frame.f_back
apifunc_owner = inspect.getframeinfo(apifunc_frame)[2]
finally:
del this_frame
del apifunc_frame
if apifunc_owner == '<module>':
apifunc_str = '{func}()'.format(func=func.__name__)
else:
apifunc_str = '{owner}.{func}()'.format(owner=apifunc_owner, func=
func.__name__)
logger = get_logger(API_LOGGER_NAME)
def x():
try:
log_it_frame = inspect.currentframe()
log_api_call_frame = log_it_frame.f_back
apifunc_frame = log_api_call_frame.f_back
apicaller_frame = apifunc_frame.f_back
apicaller_module = inspect.getmodule(apicaller_frame)
if apicaller_module is None:
apicaller_module_name = '<unknown>'
else:
apicaller_module_name = apicaller_module.__name__
finally:
del log_it_frame
del log_api_call_frame
del apifunc_frame
del apicaller_frame
del apicaller_module
return apicaller_module_name.split('.')[0] != 'zhmcclient'
def x(func, *args, **kwargs):
_log_it = is_external_call() and logger.isEnabledFor(logging.DEBUG)
if _log_it:
logger.debug('Called: {}, args: {:.500}, kwargs: {:.500}'.
format(apifunc_str, log_escaped(repr(args)), log_escaped(
repr(kwargs))))
result = func(*args, **kwargs)
if _log_it:
logger.debug('Return: {}, result: {:.1000}'.format(apifunc_str,
log_escaped(repr(result))))
return result
if 'decorate' in globals():
return decorate(func, log_api_call)
else:
return decorator(log_api_call, func)
|
logged_api_call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n module = inspect.getmodule(func)\n if not inspect.isfunction(func) or not hasattr(module, '__name__'):\n raise TypeError(\n 'The @logged_api_call decorator must be used on a function or method (and not on top of the @property decorator)'\n )\n try:\n this_frame = inspect.currentframe()\n apifunc_frame = this_frame.f_back\n apifunc_owner = inspect.getframeinfo(apifunc_frame)[2]\n finally:\n del this_frame\n del apifunc_frame\n if apifunc_owner == '<module>':\n apifunc_str = '{func}()'.format(func=func.__name__)\n else:\n apifunc_str = '{owner}.{func}()'.format(owner=apifunc_owner, func=\n func.__name__)\n logger = get_logger(API_LOGGER_NAME)\n\n def x():\n try:\n log_it_frame = inspect.currentframe()\n log_api_call_frame = log_it_frame.f_back\n apifunc_frame = log_api_call_frame.f_back\n apicaller_frame = apifunc_frame.f_back\n apicaller_module = inspect.getmodule(apicaller_frame)\n if apicaller_module is None:\n apicaller_module_name = '<unknown>'\n else:\n apicaller_module_name = apicaller_module.__name__\n finally:\n del log_it_frame\n del log_api_call_frame\n del apifunc_frame\n del apicaller_frame\n del apicaller_module\n return apicaller_module_name.split('.')[0] != 'zhmcclient'\n\n def x(func, *args, **kwargs):\n _log_it = is_external_call() and logger.isEnabledFor(logging.DEBUG)\n if _log_it:\n logger.debug('Called: {}, args: {:.500}, kwargs: {:.500}'.\n format(apifunc_str, log_escaped(repr(args)), log_escaped(\n repr(kwargs))))\n result = func(*args, **kwargs)\n if _log_it:\n logger.debug('Return: {}, result: {:.1000}'.format(apifunc_str,\n log_escaped(repr(result))))\n return result\n if 'decorate' in globals():\n return decorate(func, log_api_call)\n else:\n return decorator(log_api_call, func)\n",
"role": "user"
},
{
"content": "logged_api_call",
"role": "assistant"
}
] |
def x(self, config, context):
request = current_request()
return request is not None and re.match('^django\\.', request.__module__)
|
supports
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, context):\n request = current_request()\n return request is not None and re.match('^django\\\\.', request.__module__)\n",
"role": "user"
},
{
"content": "supports",
"role": "assistant"
}
] |
def x(self, config, context):
request = current_request()
payload = {'url': request.build_absolute_uri(), 'component': request.
resolver_match.app_name, 'action': request.resolver_match.func.
__name__, 'params': {}, 'session': {}, 'cgi_data': dict(request.
META), 'context': context}
if hasattr(request, 'session'):
payload['session'] = filter_dict(dict(request.session), config.
params_filters)
payload['params'] = filter_dict(dict(getattr(request, request.method)),
config.params_filters)
return payload
|
generate_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, context):\n request = current_request()\n payload = {'url': request.build_absolute_uri(), 'component': request.\n resolver_match.app_name, 'action': request.resolver_match.func.\n __name__, 'params': {}, 'session': {}, 'cgi_data': dict(request.\n META), 'context': context}\n if hasattr(request, 'session'):\n payload['session'] = filter_dict(dict(request.session), config.\n params_filters)\n payload['params'] = filter_dict(dict(getattr(request, request.method)),\n config.params_filters)\n return payload\n",
"role": "user"
},
{
"content": "generate_payload",
"role": "assistant"
}
] |
def x(a, b):
logger.debug('Called generic_div({}, {})'.format(a, b))
return a / b
|
generic_div
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n logger.debug('Called generic_div({}, {})'.format(a, b))\n return a / b\n",
"role": "user"
},
{
"content": "generic_div",
"role": "assistant"
}
] |
def x(self, config, context):
try:
from flask import request
except ImportError:
return False
else:
return bool(request)
|
supports
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, context):\n try:\n from flask import request\n except ImportError:\n return False\n else:\n return bool(request)\n",
"role": "user"
},
{
"content": "supports",
"role": "assistant"
}
] |
def x(self, config, context):
from flask import current_app, session, request as _request
current_view = current_app.view_functions[_request.endpoint]
if hasattr(current_view, 'view_class'):
component = '.'.join((current_view.__module__, current_view.
view_class.__name__))
else:
component = current_view.__module__
cgi_data = {k: v for k, v in iteritems(_request.headers)}
cgi_data.update({'REQUEST_METHOD': _request.method})
payload = {'url': _request.base_url, 'component': component, 'action':
_request.endpoint, 'params': {}, 'session': filter_dict(dict(
session), config.params_filters), 'cgi_data': cgi_data, 'context':
context}
params = filter_dict(dict(_request.args), config.params_filters)
params.update(filter_dict(dict(_request.form), config.params_filters))
payload['params'] = params
return payload
|
generate_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, context):\n from flask import current_app, session, request as _request\n current_view = current_app.view_functions[_request.endpoint]\n if hasattr(current_view, 'view_class'):\n component = '.'.join((current_view.__module__, current_view.\n view_class.__name__))\n else:\n component = current_view.__module__\n cgi_data = {k: v for k, v in iteritems(_request.headers)}\n cgi_data.update({'REQUEST_METHOD': _request.method})\n payload = {'url': _request.base_url, 'component': component, 'action':\n _request.endpoint, 'params': {}, 'session': filter_dict(dict(\n session), config.params_filters), 'cgi_data': cgi_data, 'context':\n context}\n params = filter_dict(dict(_request.args), config.params_filters)\n params.update(filter_dict(dict(_request.form), config.params_filters))\n payload['params'] = params\n return payload\n",
"role": "user"
},
{
"content": "generate_payload",
"role": "assistant"
}
] |
def x(self, app, report_exceptions=False, reset_context_after_request=False):
from flask import request_tearing_down, got_request_exception
self.app = app
self.app.logger.info('Initializing Honeybadger')
self.report_exceptions = report_exceptions
self.reset_context_after_request = reset_context_after_request
self._initialize_honeybadger(app.config)
if self.report_exceptions:
self._register_signal_handler('auto-reporting exceptions',
got_request_exception, self._handle_exception)
if self.reset_context_after_request:
self._register_signal_handler('auto clear context on request end',
request_tearing_down, self._reset_context)
logger.info('Honeybadger helper installed')
|
init_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app, report_exceptions=False, reset_context_after_request=False):\n from flask import request_tearing_down, got_request_exception\n self.app = app\n self.app.logger.info('Initializing Honeybadger')\n self.report_exceptions = report_exceptions\n self.reset_context_after_request = reset_context_after_request\n self._initialize_honeybadger(app.config)\n if self.report_exceptions:\n self._register_signal_handler('auto-reporting exceptions',\n got_request_exception, self._handle_exception)\n if self.reset_context_after_request:\n self._register_signal_handler('auto clear context on request end',\n request_tearing_down, self._reset_context)\n logger.info('Honeybadger helper installed')\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self, description, signal, handler):
from flask import signals
if not signals.signals_available:
self.app.logger.warn(
'blinker needs to be installed in order to support %s'.format(
description))
self.app.logger.info('Enabling {}'.format(description))
signal.connect(handler, sender=self.app, weak=False)
|
register_signal_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, description, signal, handler):\n from flask import signals\n if not signals.signals_available:\n self.app.logger.warn(\n 'blinker needs to be installed in order to support %s'.format(\n description))\n self.app.logger.info('Enabling {}'.format(description))\n signal.connect(handler, sender=self.app, weak=False)\n",
"role": "user"
},
{
"content": "register_signal_handler",
"role": "assistant"
}
] |
def x(self, config):
if config.get('DEBUG', False):
honeybadger.configure(environment='development')
honeybadger_config = {}
for key, value in iteritems(config):
if key.startswith(self.CONFIG_PREFIX):
honeybadger_config[key[len(self.CONFIG_PREFIX):].lower()] = value
honeybadger.configure(**honeybadger_config)
honeybadger.config.set_12factor_config()
|
initialize_honeybadger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config):\n if config.get('DEBUG', False):\n honeybadger.configure(environment='development')\n honeybadger_config = {}\n for key, value in iteritems(config):\n if key.startswith(self.CONFIG_PREFIX):\n honeybadger_config[key[len(self.CONFIG_PREFIX):].lower()] = value\n honeybadger.configure(**honeybadger_config)\n honeybadger.config.set_12factor_config()\n",
"role": "user"
},
{
"content": "initialize_honeybadger",
"role": "assistant"
}
] |
def x(self, sender, exception=None):
honeybadger.notify(exception)
if self.reset_context_after_request:
self._reset_context()
|
handle_exception
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender, exception=None):\n honeybadger.notify(exception)\n if self.reset_context_after_request:\n self._reset_context()\n",
"role": "user"
},
{
"content": "handle_exception",
"role": "assistant"
}
] |
def x(self, plugin):
if plugin.name not in self._registered:
logger.info('Registering plugin %s' % plugin.name)
self._registered[plugin.name] = plugin
else:
logger.warn('Plugin %s already registered' % plugin.name)
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plugin):\n if plugin.name not in self._registered:\n logger.info('Registering plugin %s' % plugin.name)\n self._registered[plugin.name] = plugin\n else:\n logger.warn('Plugin %s already registered' % plugin.name)\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self, config=None, context=None):
for name, plugin in iteritems(self._registered):
if plugin.supports(config, context):
logger.debug('Returning payload from plugin %s' % name)
return plugin.generate_payload(config, context)
logger.debug('No active plugin to generate payload')
return {'context': context}
|
generate_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config=None, context=None):\n for name, plugin in iteritems(self._registered):\n if plugin.supports(config, context):\n logger.debug('Returning payload from plugin %s' % name)\n return plugin.generate_payload(config, context)\n logger.debug('No active plugin to generate payload')\n return {'context': context}\n",
"role": "user"
},
{
"content": "generate_payload",
"role": "assistant"
}
] |
def x(request):
a = float(request.GET.get('a', '0'))
b = float(request.GET.get('b', '0'))
return JsonResponse({'result': a / b})
|
buggy_div
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n a = float(request.GET.get('a', '0'))\n b = float(request.GET.get('b', '0'))\n return JsonResponse({'result': a / b})\n",
"role": "user"
},
{
"content": "buggy_div",
"role": "assistant"
}
] |
def x(graph):
from .._ascii import DAG
from .._echo import echo_via_pager
echo_via_pager(str(DAG(graph)))
|
ascii
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph):\n from .._ascii import DAG\n from .._echo import echo_via_pager\n echo_via_pager(str(DAG(graph)))\n",
"role": "user"
},
{
"content": "ascii",
"role": "assistant"
}
] |
def x(graph, format, *args, **kwargs):
import json
from pyld import jsonld
from renku.models._jsonld import asjsonld
output = getattr(jsonld, format)([asjsonld(action) for action in graph.
activities.values()])
return json.dumps(output, indent=2)
|
jsonld
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph, format, *args, **kwargs):\n import json\n from pyld import jsonld\n from renku.models._jsonld import asjsonld\n output = getattr(jsonld, format)([asjsonld(action) for action in graph.\n activities.values()])\n return json.dumps(output, indent=2)\n",
"role": "user"
},
{
"content": "jsonld",
"role": "assistant"
}
] |
def x(graph, simple=True, debug=False, landscape=False):
import sys
from rdflib import ConjunctiveGraph
from rdflib.plugin import register, Parser
from rdflib.tools.rdf2dot import rdf2dot
register('json-ld', Parser, 'rdflib_jsonld.parser', 'JsonLDParser')
g = ConjunctiveGraph().parse(data=_jsonld(graph, 'expand'), format=
'json-ld')
g.bind('prov', 'http://www.w3.org/ns/prov#')
g.bind('wfdesc', 'http://purl.org/wf4ever/wfdesc#')
g.bind('wf', 'http://www.w3.org/2005/01/wf/flow#')
g.bind('wfprov', 'http://purl.org/wf4ever/wfprov#')
if debug:
rdf2dot(g, sys.stdout)
return
sys.stdout.write('digraph { \n node [ fontname="DejaVu Sans" ] ; \n ')
if landscape:
sys.stdout.write('rankdir="LR" \n')
if simple:
_rdf2dot_simple(g, sys.stdout)
return
_rdf2dot_reduced(g, sys.stdout)
|
dot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph, simple=True, debug=False, landscape=False):\n import sys\n from rdflib import ConjunctiveGraph\n from rdflib.plugin import register, Parser\n from rdflib.tools.rdf2dot import rdf2dot\n register('json-ld', Parser, 'rdflib_jsonld.parser', 'JsonLDParser')\n g = ConjunctiveGraph().parse(data=_jsonld(graph, 'expand'), format=\n 'json-ld')\n g.bind('prov', 'http://www.w3.org/ns/prov#')\n g.bind('wfdesc', 'http://purl.org/wf4ever/wfdesc#')\n g.bind('wf', 'http://www.w3.org/2005/01/wf/flow#')\n g.bind('wfprov', 'http://purl.org/wf4ever/wfprov#')\n if debug:\n rdf2dot(g, sys.stdout)\n return\n sys.stdout.write('digraph { \\n node [ fontname=\"DejaVu Sans\" ] ; \\n ')\n if landscape:\n sys.stdout.write('rankdir=\"LR\" \\n')\n if simple:\n _rdf2dot_simple(g, sys.stdout)\n return\n _rdf2dot_reduced(g, sys.stdout)\n",
"role": "user"
},
{
"content": "dot",
"role": "assistant"
}
] |
def x(g, stream):
from itertools import chain
import re
path_re = re.compile(
'file:///(?P<type>[a-zA-Z]+)/(?P<commit>\\w+)(?P<path>.+)?')
inputs = g.query(
"""
SELECT ?input ?role ?activity ?comment
WHERE {
?activity (prov:qualifiedUsage/prov:entity) ?input .
?activity prov:qualifiedUsage ?qual .
?qual prov:hadRole ?role .
?qual prov:entity ?input .
?qual rdf:type ?type .
?activity rdf:type wfprov:ProcessRun .
?activity rdfs:comment ?comment .
FILTER NOT EXISTS {?activity rdf:type wfprov:WorkflowRun}
}
"""
)
outputs = g.query(
"""
SELECT ?activity ?role ?output ?comment
WHERE {
?output (prov:qualifiedGeneration/prov:activity) ?activity .
?output prov:qualifiedGeneration ?qual .
?qual prov:hadRole ?role .
?qual prov:activity ?activity .
?qual rdf:type ?type .
?activity rdf:type wfprov:ProcessRun ;
rdfs:comment ?comment .
FILTER NOT EXISTS {?activity rdf:type wfprov:WorkflowRun}
}
"""
)
activity_nodes = {}
artifact_nodes = {}
for source, role, target, comment in chain(inputs, outputs):
src_path = path_re.match(source).groupdict()
tgt_path = path_re.match(target).groupdict()
stream.write(
'\t"{src_commit}:{src_path}" -> "{tgt_commit}:{tgt_path}" [label={role}] \n'
.format(src_commit=src_path['commit'][:5], src_path=src_path.
get('path') or '', tgt_commit=tgt_path['commit'][:5], tgt_path=
tgt_path.get('path') or '', role=role))
if src_path.get('type') == 'commit':
activity_nodes.setdefault(source, {'comment': comment})
artifact_nodes.setdefault(target, {})
if tgt_path.get('type') == 'commit':
activity_nodes.setdefault(target, {'comment': comment})
artifact_nodes.setdefault(source, {})
for node, content in activity_nodes.items():
node_path = path_re.match(node).groupdict()
stream.write(
'\t"{commit}:{path}" [shape=box label="#{commit}:{path}:{comment}"] \n'
.format(comment=content['comment'], commit=node_path['commit'][
:5], path=node_path.get('path') or ''))
for node, content in artifact_nodes.items():
node_path = path_re.match(node).groupdict()
stream.write('\t"{commit}:{path}" [label="#{commit}:{path}"] \n'.
format(commit=node_path['commit'][:5], path=node_path.get(
'path') or ''))
stream.write('}\n')
|
rdf2dot_simple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, stream):\n from itertools import chain\n import re\n path_re = re.compile(\n 'file:///(?P<type>[a-zA-Z]+)/(?P<commit>\\\\w+)(?P<path>.+)?')\n inputs = g.query(\n \"\"\"\n SELECT ?input ?role ?activity ?comment\n WHERE {\n ?activity (prov:qualifiedUsage/prov:entity) ?input .\n ?activity prov:qualifiedUsage ?qual .\n ?qual prov:hadRole ?role .\n ?qual prov:entity ?input .\n ?qual rdf:type ?type .\n ?activity rdf:type wfprov:ProcessRun .\n ?activity rdfs:comment ?comment .\n FILTER NOT EXISTS {?activity rdf:type wfprov:WorkflowRun}\n }\n \"\"\"\n )\n outputs = g.query(\n \"\"\"\n SELECT ?activity ?role ?output ?comment\n WHERE {\n ?output (prov:qualifiedGeneration/prov:activity) ?activity .\n ?output prov:qualifiedGeneration ?qual .\n ?qual prov:hadRole ?role .\n ?qual prov:activity ?activity .\n ?qual rdf:type ?type .\n ?activity rdf:type wfprov:ProcessRun ;\n rdfs:comment ?comment .\n FILTER NOT EXISTS {?activity rdf:type wfprov:WorkflowRun}\n }\n \"\"\"\n )\n activity_nodes = {}\n artifact_nodes = {}\n for source, role, target, comment in chain(inputs, outputs):\n src_path = path_re.match(source).groupdict()\n tgt_path = path_re.match(target).groupdict()\n stream.write(\n '\\t\"{src_commit}:{src_path}\" -> \"{tgt_commit}:{tgt_path}\" [label={role}] \\n'\n .format(src_commit=src_path['commit'][:5], src_path=src_path.\n get('path') or '', tgt_commit=tgt_path['commit'][:5], tgt_path=\n tgt_path.get('path') or '', role=role))\n if src_path.get('type') == 'commit':\n activity_nodes.setdefault(source, {'comment': comment})\n artifact_nodes.setdefault(target, {})\n if tgt_path.get('type') == 'commit':\n activity_nodes.setdefault(target, {'comment': comment})\n artifact_nodes.setdefault(source, {})\n for node, content in activity_nodes.items():\n node_path = path_re.match(node).groupdict()\n stream.write(\n '\\t\"{commit}:{path}\" [shape=box label=\"#{commit}:{path}:{comment}\"] \\n'\n .format(comment=content['comment'], commit=node_path['commit'][\n :5], path=node_path.get('path') or ''))\n for node, content in artifact_nodes.items():\n node_path = path_re.match(node).groupdict()\n stream.write('\\t\"{commit}:{path}\" [label=\"#{commit}:{path}\"] \\n'.\n format(commit=node_path['commit'][:5], path=node_path.get(\n 'path') or ''))\n stream.write('}\\n')\n",
"role": "user"
},
{
"content": "rdf2dot_simple",
"role": "assistant"
}
] |
def x(g, stream):
import cgi
import collections
import rdflib
from rdflib.tools.rdf2dot import LABEL_PROPERTIES, NODECOLOR
types = collections.defaultdict(set)
fields = collections.defaultdict(set)
nodes = {}
def x(x):
return nodes.setdefault(x, 'node{0}'.format(len(nodes)))
def x(x, g):
for labelProp in LABEL_PROPERTIES:
label_ = g.value(x, labelProp)
if label_:
return label_
try:
return g.namespace_manager.compute_qname(x)[2]
except Exception:
return x
def x(l, g):
v = cgi.escape(l)
if l.datatype:
return '"%s"^^%s' % (v, qname(l.datatype, g))
elif l.language:
return '"%s"@%s' % (v, l.language)
return '"%s"' % v
def x(x, g):
try:
q = g.compute_qname(x)
return q[0] + ':' + q[2]
except Exception:
return x
def x(p):
return 'BLACK'
for s, p, o in g:
sn = node(s)
if p == rdflib.RDFS.label:
continue
if p == rdflib.RDF.type:
types[sn].add((qname(p, g), cgi.escape(o)))
continue
if p == rdflib.term.URIRef('http://purl.org/dc/terms/isPartOf'):
fields[sn].add((qname(p, g), cgi.escape(o)))
continue
if p == rdflib.term.URIRef('http://www.w3.org/ns/prov#wasInformedBy'):
continue
if isinstance(o, (rdflib.URIRef, rdflib.BNode)):
on = node(o)
opstr = """ %s -> %s [ color=%s, label=< <font point-size="12" color="#336633">%s</font> > ] ;
"""
stream.write(opstr % (sn, on, color(p), qname(p, g)))
else:
fields[sn].add((qname(p, g), formatliteral(o, g)))
for u, n in nodes.items():
stream.write(u'# %s %s\n' % (u, n))
f = [(
'<tr><td align="left"><b>%s</b></td><td align="left"><b>%s</b></td></tr>'
% x) for x in sorted(types[n])]
f += [('<tr><td align="left">%s</td><td align="left">%s</td></tr>' %
x) for x in sorted(fields[n])]
opstr = """%s [ shape=none, color=%s label=< <table color="#666666" cellborder="0" cellspacing="0" border="1"><tr><td colspan="2" bgcolor="grey"><B>%s</B></td></tr><tr><td href="%s" bgcolor="#eeeeee" colspan="2"><font point-size="12" color="#6666ff">%s</font></td></tr>%s</table> > ]
"""
stream.write(opstr % (n, NODECOLOR, label(u, g), u, u, ''.join(f)))
stream.write('}\n')
|
rdf2dot_reduced
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, stream):\n import cgi\n import collections\n import rdflib\n from rdflib.tools.rdf2dot import LABEL_PROPERTIES, NODECOLOR\n types = collections.defaultdict(set)\n fields = collections.defaultdict(set)\n nodes = {}\n\n def x(x):\n return nodes.setdefault(x, 'node{0}'.format(len(nodes)))\n\n def x(x, g):\n for labelProp in LABEL_PROPERTIES:\n label_ = g.value(x, labelProp)\n if label_:\n return label_\n try:\n return g.namespace_manager.compute_qname(x)[2]\n except Exception:\n return x\n\n def x(l, g):\n v = cgi.escape(l)\n if l.datatype:\n return '"%s"^^%s' % (v, qname(l.datatype, g))\n elif l.language:\n return '"%s"@%s' % (v, l.language)\n return '"%s"' % v\n\n def x(x, g):\n try:\n q = g.compute_qname(x)\n return q[0] + ':' + q[2]\n except Exception:\n return x\n\n def x(p):\n return 'BLACK'\n for s, p, o in g:\n sn = node(s)\n if p == rdflib.RDFS.label:\n continue\n if p == rdflib.RDF.type:\n types[sn].add((qname(p, g), cgi.escape(o)))\n continue\n if p == rdflib.term.URIRef('http://purl.org/dc/terms/isPartOf'):\n fields[sn].add((qname(p, g), cgi.escape(o)))\n continue\n if p == rdflib.term.URIRef('http://www.w3.org/ns/prov#wasInformedBy'):\n continue\n if isinstance(o, (rdflib.URIRef, rdflib.BNode)):\n on = node(o)\n opstr = \"\"\"\t%s -> %s [ color=%s, label=< <font point-size=\"12\" color=\"#336633\">%s</font> > ] ;\n\"\"\"\n stream.write(opstr % (sn, on, color(p), qname(p, g)))\n else:\n fields[sn].add((qname(p, g), formatliteral(o, g)))\n for u, n in nodes.items():\n stream.write(u'# %s %s\\n' % (u, n))\n f = [(\n '<tr><td align=\"left\"><b>%s</b></td><td align=\"left\"><b>%s</b></td></tr>'\n % x) for x in sorted(types[n])]\n f += [('<tr><td align=\"left\">%s</td><td align=\"left\">%s</td></tr>' %\n x) for x in sorted(fields[n])]\n opstr = \"\"\"%s [ shape=none, color=%s label=< <table color=\"#666666\" cellborder=\"0\" cellspacing=\"0\" border=\"1\"><tr><td colspan=\"2\" bgcolor=\"grey\"><B>%s</B></td></tr><tr><td href=\"%s\" bgcolor=\"#eeeeee\" colspan=\"2\"><font point-size=\"12\" color=\"#6666ff\">%s</font></td></tr>%s</table> > ] \n\"\"\"\n stream.write(opstr % (n, NODECOLOR, label(u, g), u, u, ''.join(f)))\n stream.write('}\\n')\n",
"role": "user"
},
{
"content": "rdf2dot_reduced",
"role": "assistant"
}
] |
def x(graph):
from renku.models.provenance.activities import ProcessRun, WorkflowRun
for activity in graph.activities.values():
if not isinstance(activity, ProcessRun):
continue
elif isinstance(activity, WorkflowRun):
steps = activity.subprocesses.values()
else:
steps = [activity]
for step in steps:
click.echo(' '.join(step.outputs) + ': ' + ' '.join(step.inputs))
tool = step.process
click.echo('\t@' + ' '.join(tool.to_argv()) + ' ' + ' '.join(
tool.STD_STREAMS_REPR[key] + ' ' + str(path) for key, path in
tool._std_streams().items()))
|
makefile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph):\n from renku.models.provenance.activities import ProcessRun, WorkflowRun\n for activity in graph.activities.values():\n if not isinstance(activity, ProcessRun):\n continue\n elif isinstance(activity, WorkflowRun):\n steps = activity.subprocesses.values()\n else:\n steps = [activity]\n for step in steps:\n click.echo(' '.join(step.outputs) + ': ' + ' '.join(step.inputs))\n tool = step.process\n click.echo('\\t@' + ' '.join(tool.to_argv()) + ' ' + ' '.join(\n tool.STD_STREAMS_REPR[key] + ' ' + str(path) for key, path in\n tool._std_streams().items()))\n",
"role": "user"
},
{
"content": "makefile",
"role": "assistant"
}
] |
def x(graph):
from rdflib import ConjunctiveGraph
from rdflib.plugin import register, Parser
register('json-ld', Parser, 'rdflib_jsonld.parser', 'JsonLDParser')
click.echo(ConjunctiveGraph().parse(data=_jsonld(graph, 'expand'),
format='json-ld').serialize(format='nt'))
|
nt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph):\n from rdflib import ConjunctiveGraph\n from rdflib.plugin import register, Parser\n register('json-ld', Parser, 'rdflib_jsonld.parser', 'JsonLDParser')\n click.echo(ConjunctiveGraph().parse(data=_jsonld(graph, 'expand'),\n format='json-ld').serialize(format='nt'))\n",
"role": "user"
},
{
"content": "nt",
"role": "assistant"
}
] |
def x(client, force):
import pkg_resources
from git.index.fun import hook_path as get_hook_path
for hook in HOOKS:
hook_path = Path(get_hook_path(hook, client.repo.git_dir))
if hook_path.exists():
if not force:
click.echo('Hook already exists. Skipping {0}'.format(str(
hook_path)), err=True)
continue
else:
hook_path.unlink()
hook_path.parent.mkdir(parents=True, exist_ok=True)
Path(hook_path).write_bytes(pkg_resources.resource_string(
'renku.data', '{hook}.sh'.format(hook=hook)))
hook_path.chmod(hook_path.stat().st_mode | stat.S_IEXEC)
|
install
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, force):\n import pkg_resources\n from git.index.fun import hook_path as get_hook_path\n for hook in HOOKS:\n hook_path = Path(get_hook_path(hook, client.repo.git_dir))\n if hook_path.exists():\n if not force:\n click.echo('Hook already exists. Skipping {0}'.format(str(\n hook_path)), err=True)\n continue\n else:\n hook_path.unlink()\n hook_path.parent.mkdir(parents=True, exist_ok=True)\n Path(hook_path).write_bytes(pkg_resources.resource_string(\n 'renku.data', '{hook}.sh'.format(hook=hook)))\n hook_path.chmod(hook_path.stat().st_mode | stat.S_IEXEC)\n",
"role": "user"
},
{
"content": "install",
"role": "assistant"
}
] |
def x(client):
from git.index.fun import hook_path as get_hook_path
for hook in HOOKS:
hook_path = Path(get_hook_path(hook, client.repo.git_dir))
if hook_path.exists():
hook_path.unlink()
|
uninstall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client):\n from git.index.fun import hook_path as get_hook_path\n for hook in HOOKS:\n hook_path = Path(get_hook_path(hook, client.repo.git_dir))\n if hook_path.exists():\n hook_path.unlink()\n",
"role": "user"
},
{
"content": "uninstall",
"role": "assistant"
}
] |
def x(cell, datetime_fmt=None):
if datetime_fmt and isinstance(cell, datetime):
return cell.strftime(datetime_fmt)
return cell
|
format_cell
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell, datetime_fmt=None):\n if datetime_fmt and isinstance(cell, datetime):\n return cell.strftime(datetime_fmt)\n return cell\n",
"role": "user"
},
{
"content": "format_cell",
"role": "assistant"
}
] |
def x(collection, headers, datetime_fmt='%Y-%m-%d %H:%M:%S', **kwargs):
if isinstance(headers, dict):
attrs = headers.keys()
names = [(key if value is None else value) for key, value in
headers.items()]
else:
attrs = names = headers
table = [(format_cell(cell, datetime_fmt=datetime_fmt) for cell in
attrgetter(*attrs)(c)) for c in collection]
return tblte(table, headers=[h.upper() for h in names], **kwargs)
|
tabulate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(collection, headers, datetime_fmt='%Y-%m-%d %H:%M:%S', **kwargs):\n if isinstance(headers, dict):\n attrs = headers.keys()\n names = [(key if value is None else value) for key, value in\n headers.items()]\n else:\n attrs = names = headers\n table = [(format_cell(cell, datetime_fmt=datetime_fmt) for cell in\n attrgetter(*attrs)(c)) for c in collection]\n return tblte(table, headers=[h.upper() for h in names], **kwargs)\n",
"role": "user"
},
{
"content": "tabulate",
"role": "assistant"
}
] |
def x(value):
output = {}
for k, v in value.items():
inst = DatasetFile.from_jsonld(v)
output[inst.path] = inst
return output
|
convert_dataset_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n output = {}\n for k, v in value.items():\n inst = DatasetFile.from_jsonld(v)\n output[inst.path] = inst\n return output\n",
"role": "user"
},
{
"content": "convert_dataset_files",
"role": "assistant"
}
] |
def x(ctx, client, sources):
from renku.api._git import _expand_directories
def x(path):
return str(Path(path).absolute().relative_to(client.path))
files = {fmt_path(source): fmt_path(file_or_dir) for file_or_dir in
sources for source in _expand_directories((file_or_dir,))}
with progressbar(client.datasets.values(), item_show_func=lambda item:
str(item.short_id) if item else '', label=
'Updating dataset metadata', width=0) as bar:
for dataset in bar:
remove = []
for key, file_ in dataset.files.items():
filepath = fmt_path(file_.full_path)
if filepath in files:
remove.append(key)
if remove:
for key in remove:
dataset.unlink_file(key)
dataset.to_yaml()
tracked = tuple(path for path, attr in client.find_attr(*files).items() if
attr.get('filter') == 'lfs')
client.untrack_paths_from_storage(*tracked)
existing = client.find_attr(*tracked)
if existing:
click.echo(WARNING + 'There are custom .gitattributes.\n')
if click.confirm('Do you want to edit ".gitattributes" now?',
default=False):
click.edit(filename=str(client.path / '.gitattributes'))
final_sources = list(set(files.values()))
if final_sources:
run(['git', 'rm', '-rf'] + final_sources, check=True)
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, client, sources):\n from renku.api._git import _expand_directories\n\n def x(path):\n return str(Path(path).absolute().relative_to(client.path))\n files = {fmt_path(source): fmt_path(file_or_dir) for file_or_dir in\n sources for source in _expand_directories((file_or_dir,))}\n with progressbar(client.datasets.values(), item_show_func=lambda item: \n str(item.short_id) if item else '', label=\n 'Updating dataset metadata', width=0) as bar:\n for dataset in bar:\n remove = []\n for key, file_ in dataset.files.items():\n filepath = fmt_path(file_.full_path)\n if filepath in files:\n remove.append(key)\n if remove:\n for key in remove:\n dataset.unlink_file(key)\n dataset.to_yaml()\n tracked = tuple(path for path, attr in client.find_attr(*files).items() if\n attr.get('filter') == 'lfs')\n client.untrack_paths_from_storage(*tracked)\n existing = client.find_attr(*tracked)\n if existing:\n click.echo(WARNING + 'There are custom .gitattributes.\\n')\n if click.confirm('Do you want to edit \".gitattributes\" now?',\n default=False):\n click.edit(filename=str(client.path / '.gitattributes'))\n final_sources = list(set(files.values()))\n if final_sources:\n run(['git', 'rm', '-rf'] + final_sources, check=True)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(package, releases, dependencies=None):
dependencies = dependencies if dependencies is not None else {}
for release in releases:
url = release['url']
old_priority = dependencies.get(package, {}).get('priority', 0)
for suffix, priority in SUFFIXES.items():
if url.endswith(suffix):
if old_priority < priority:
sha256 = release['digests']['sha256']
dependencies[package] = {'package': package, 'url': url,
'sha256': sha256, 'priority': priority}
return dependencies[package]
|
find_release
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package, releases, dependencies=None):\n dependencies = dependencies if dependencies is not None else {}\n for release in releases:\n url = release['url']\n old_priority = dependencies.get(package, {}).get('priority', 0)\n for suffix, priority in SUFFIXES.items():\n if url.endswith(suffix):\n if old_priority < priority:\n sha256 = release['digests']['sha256']\n dependencies[package] = {'package': package, 'url': url,\n 'sha256': sha256, 'priority': priority}\n return dependencies[package]\n",
"role": "user"
},
{
"content": "find_release",
"role": "assistant"
}
] |
def x(filepath, can_be_cwl=False):
if filepath in {'.gitignore', '.gitattributes'}:
return False
if filepath.startswith('.renku'):
if can_be_cwl and filepath.endswith('.cwl'):
return True
return False
return True
|
safe_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, can_be_cwl=False):\n if filepath in {'.gitignore', '.gitattributes'}:\n return False\n if filepath.startswith('.renku'):\n if can_be_cwl and filepath.endswith('.cwl'):\n return True\n return False\n return True\n",
"role": "user"
},
{
"content": "safe_path",
"role": "assistant"
}
] |
def x(client, datasets):
from renku.models._tabulate import tabulate
click.echo(tabulate(datasets, headers=OrderedDict((('short_id', 'id'),
('name', None), ('created', None), ('authors_csv', 'authors')))))
|
tabular
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, datasets):\n from renku.models._tabulate import tabulate\n click.echo(tabulate(datasets, headers=OrderedDict((('short_id', 'id'),\n ('name', None), ('created', None), ('authors_csv', 'authors')))))\n",
"role": "user"
},
{
"content": "tabular",
"role": "assistant"
}
] |
def x(client, datasets):
from renku.models._json import dumps
from renku.models._jsonld import asjsonld
data = [asjsonld(dataset, basedir=os.path.relpath('.', start=str(
dataset.__reference__.parent))) for dataset in datasets]
click.echo(dumps(data, indent=2))
|
jsonld
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, datasets):\n from renku.models._json import dumps\n from renku.models._jsonld import asjsonld\n data = [asjsonld(dataset, basedir=os.path.relpath('.', start=str(\n dataset.__reference__.parent))) for dataset in datasets]\n click.echo(dumps(data, indent=2))\n",
"role": "user"
},
{
"content": "jsonld",
"role": "assistant"
}
] |
def x(graph, node):
try:
submodules = node.submodules
if submodules:
submodule = ':'.join(submodules)
return click.style(submodule, fg='green') + '@' + click.style(node
.commit.hexsha[:8], fg='yellow')
except KeyError:
pass
return click.style(node.commit.hexsha[:8], fg='yellow')
|
format_sha1
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph, node):\n try:\n submodules = node.submodules\n if submodules:\n submodule = ':'.join(submodules)\n return click.style(submodule, fg='green') + '@' + click.style(node\n .commit.hexsha[:8], fg='yellow')\n except KeyError:\n pass\n return click.style(node.commit.hexsha[:8], fg='yellow')\n",
"role": "user"
},
{
"content": "format_sha1",
"role": "assistant"
}
] |
def x(value):
if isinstance(value, (list, tuple)):
return [(CommandLineBinding(**item) if isinstance(item, dict) else
item) for item in value]
return shlex.split(value)
|
convert_arguments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, (list, tuple)):\n return [(CommandLineBinding(**item) if isinstance(item, dict) else\n item) for item in value]\n return shlex.split(value)\n",
"role": "user"
},
{
"content": "convert_arguments",
"role": "assistant"
}
] |
def x(ctx, path, renku_home, use_external_storage):
ctx.obj = LocalClient(path=path, renku_home=renku_home,
use_external_storage=use_external_storage)
|
cli
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, path, renku_home, use_external_storage):\n ctx.obj = LocalClient(path=path, renku_home=renku_home,\n use_external_storage=use_external_storage)\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x(client, revision, no_output, siblings, paths):
graph = Graph(client)
outputs = graph.build(revision=revision, can_be_cwl=no_output, paths=paths)
outputs = {node for node in outputs if graph.need_update(node)}
if not outputs:
click.secho('All files were generated from the latest inputs.', fg=
'green')
sys.exit(0)
outputs = siblings(graph, outputs)
output_paths = {node.path for node in outputs if _safe_path(node.path)}
input_paths = {node.path for node in graph.nodes} - output_paths
import yaml
output_file = client.workflow_path / '{0}.cwl'.format(uuid.uuid4().hex)
workflow = graph.ascwl(input_paths=input_paths, output_paths=
output_paths, outputs=outputs)
client.pull_paths_from_storage(*(path for _, path in workflow.
iter_input_files(client.workflow_path)))
with output_file.open('w') as f:
f.write(yaml.dump(ascwl(workflow, filter=lambda _, x: x is not None,
basedir=client.workflow_path), default_flow_style=False))
from ._cwl import execute
execute(client, output_file, output_paths=output_paths)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, revision, no_output, siblings, paths):\n graph = Graph(client)\n outputs = graph.build(revision=revision, can_be_cwl=no_output, paths=paths)\n outputs = {node for node in outputs if graph.need_update(node)}\n if not outputs:\n click.secho('All files were generated from the latest inputs.', fg=\n 'green')\n sys.exit(0)\n outputs = siblings(graph, outputs)\n output_paths = {node.path for node in outputs if _safe_path(node.path)}\n input_paths = {node.path for node in graph.nodes} - output_paths\n import yaml\n output_file = client.workflow_path / '{0}.cwl'.format(uuid.uuid4().hex)\n workflow = graph.ascwl(input_paths=input_paths, output_paths=\n output_paths, outputs=outputs)\n client.pull_paths_from_storage(*(path for _, path in workflow.\n iter_input_files(client.workflow_path)))\n with output_file.open('w') as f:\n f.write(yaml.dump(ascwl(workflow, filter=lambda _, x: x is not None,\n basedir=client.workflow_path), default_flow_style=False))\n from ._cwl import execute\n execute(client, output_file, output_paths=output_paths)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(path=None, final=False):
if final and path:
return path
if path is None:
path = default_config_dir()
try:
os.makedirs(path)
except OSError as e:
if e.errno != errno.EEXIST:
raise
return os.path.join(path, 'config.yml')
|
config_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=None, final=False):\n if final and path:\n return path\n if path is None:\n path = default_config_dir()\n try:\n os.makedirs(path)\n except OSError as e:\n if e.errno != errno.EEXIST:\n raise\n return os.path.join(path, 'config.yml')\n",
"role": "user"
},
{
"content": "config_path",
"role": "assistant"
}
] |
def x(path=None, final=False):
try:
with open(config_path(path, final=final), 'r') as configfile:
return yaml.safe_load(configfile) or {}
except FileNotFoundError:
return {}
|
read_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=None, final=False):\n try:\n with open(config_path(path, final=final), 'r') as configfile:\n return yaml.safe_load(configfile) or {}\n except FileNotFoundError:\n return {}\n",
"role": "user"
},
{
"content": "read_config",
"role": "assistant"
}
] |
def x(config, path, final=False):
with open(config_path(path, final=final), 'w+') as configfile:
yaml.dump(config, configfile, default_flow_style=False)
|
write_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, path, final=False):\n with open(config_path(path, final=final), 'w+') as configfile:\n yaml.dump(config, configfile, default_flow_style=False)\n",
"role": "user"
},
{
"content": "write_config",
"role": "assistant"
}
] |
def x(ctx, param, value):
if ctx.obj is None:
ctx.obj = {}
ctx.obj['config_path'] = value
ctx.obj['config'] = read_config(value)
return value
|
config_load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, param, value):\n if ctx.obj is None:\n ctx.obj = {}\n ctx.obj['config_path'] = value\n ctx.obj['config'] = read_config(value)\n return value\n",
"role": "user"
},
{
"content": "config_load",
"role": "assistant"
}
] |
def x(f):
@click.pass_context
def x(ctx, *args, **kwargs):
if 'config' in kwargs:
return ctx.invoke(f, *args, **kwargs)
if ctx.obj is None:
ctx.obj = {}
config = ctx.obj['config']
project_enabled = not ctx.obj.get('no_project', False)
project_config_path = get_project_config_path()
if project_enabled and project_config_path:
project_config = read_config(project_config_path)
config['project'] = project_config
result = ctx.invoke(f, config, *args, **kwargs)
project_config = config.pop('project', None)
if project_config:
if not project_config_path:
raise RuntimeError('Invalid config update')
write_config(project_config, path=project_config_path)
write_config(config, path=ctx.obj['config_path'])
if project_config is not None:
config['project'] = project_config
return result
return update_wrapper(new_func, f)
|
with_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n @click.pass_context\n def x(ctx, *args, **kwargs):\n if 'config' in kwargs:\n return ctx.invoke(f, *args, **kwargs)\n if ctx.obj is None:\n ctx.obj = {}\n config = ctx.obj['config']\n project_enabled = not ctx.obj.get('no_project', False)\n project_config_path = get_project_config_path()\n if project_enabled and project_config_path:\n project_config = read_config(project_config_path)\n config['project'] = project_config\n result = ctx.invoke(f, config, *args, **kwargs)\n project_config = config.pop('project', None)\n if project_config:\n if not project_config_path:\n raise RuntimeError('Invalid config update')\n write_config(project_config, path=project_config_path)\n write_config(config, path=ctx.obj['config_path'])\n if project_config is not None:\n config['project'] = project_config\n return result\n return update_wrapper(new_func, f)\n",
"role": "user"
},
{
"content": "with_config",
"role": "assistant"
}
] |
def x(ctx, param, value):
if not value or ctx.resilient_parsing:
return
click.echo(config_path(os.environ.get('RENKU_CONFIG')))
ctx.exit()
|
print_app_config_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, param, value):\n if not value or ctx.resilient_parsing:\n return\n click.echo(config_path(os.environ.get('RENKU_CONFIG')))\n ctx.exit()\n",
"role": "user"
},
{
"content": "print_app_config_path",
"role": "assistant"
}
] |
def x(path, mode=511, parents=False, exist_ok=False):
project_path = Path(path).absolute().joinpath(RENKU_HOME)
project_path.mkdir(mode=mode, parents=parents, exist_ok=exist_ok)
return str(project_path)
|
create_project_config_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, mode=511, parents=False, exist_ok=False):\n project_path = Path(path).absolute().joinpath(RENKU_HOME)\n project_path.mkdir(mode=mode, parents=parents, exist_ok=exist_ok)\n return str(project_path)\n",
"role": "user"
},
{
"content": "create_project_config_path",
"role": "assistant"
}
] |
def x(path=None):
project_path = Path(path or '.').absolute().joinpath(RENKU_HOME)
if project_path.exists() and project_path.is_dir():
return str(project_path)
|
get_project_config_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=None):\n project_path = Path(path or '.').absolute().joinpath(RENKU_HOME)\n if project_path.exists() and project_path.is_dir():\n return str(project_path)\n",
"role": "user"
},
{
"content": "get_project_config_path",
"role": "assistant"
}
] |
def x(path=None):
path = Path(path) if path else Path.cwd()
abspath = path.absolute()
project_path = get_project_config_path(abspath)
if project_path:
return project_path
for parent in abspath.parents:
project_path = get_project_config_path(parent)
if project_path:
return project_path
|
find_project_config_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=None):\n path = Path(path) if path else Path.cwd()\n abspath = path.absolute()\n project_path = get_project_config_path(abspath)\n if project_path:\n return project_path\n for parent in abspath.parents:\n project_path = get_project_config_path(parent)\n if project_path:\n return project_path\n",
"role": "user"
},
{
"content": "find_project_config_path",
"role": "assistant"
}
] |
def x(output, parent=None):
entity = getattr(output, 'entity', output)
if isinstance(entity, Collection):
for member in entity.members:
if parent is not None:
member = attr.evolve(member, parent=parent)
yield from _nodes(member)
yield output
else:
yield output
|
nodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, parent=None):\n entity = getattr(output, 'entity', output)\n if isinstance(entity, Collection):\n for member in entity.members:\n if parent is not None:\n member = attr.evolve(member, parent=parent)\n yield from _nodes(member)\n yield output\n else:\n yield output\n",
"role": "user"
},
{
"content": "nodes",
"role": "assistant"
}
] |
def x(cls, key='id', **kwargs):
kwargs.setdefault('metadata', {})
kwargs['metadata']['jsonldPredicate'] = {'mapSubject': key}
kwargs.setdefault('default', attr.Factory(list))
def x(value):
if isinstance(value, dict):
result = []
for k, v in iteritems(value):
if not hasattr(cls, 'from_cwl'):
vv = dict(v)
vv[key] = k
else:
vv = attr.evolve(cls.from_cwl(v), **{key: k})
result.append(vv)
else:
result = value
def x(data):
for a in fields(cls):
a_name = a.name.rstrip('_')
if a_name in data:
yield a.name, data[a_name]
return [(cls(**{kk: vv for kk, vv in fix_keys(v)}) if not
isinstance(v, cls) else v) for v in result]
kwargs['converter'] = converter
return attr.ib(**kwargs)
|
mapped
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, key='id', **kwargs):\n kwargs.setdefault('metadata', {})\n kwargs['metadata']['jsonldPredicate'] = {'mapSubject': key}\n kwargs.setdefault('default', attr.Factory(list))\n\n def x(value):\n if isinstance(value, dict):\n result = []\n for k, v in iteritems(value):\n if not hasattr(cls, 'from_cwl'):\n vv = dict(v)\n vv[key] = k\n else:\n vv = attr.evolve(cls.from_cwl(v), **{key: k})\n result.append(vv)\n else:\n result = value\n\n def x(data):\n for a in fields(cls):\n a_name = a.name.rstrip('_')\n if a_name in data:\n yield a.name, data[a_name]\n return [(cls(**{kk: vv for kk, vv in fix_keys(v)}) if not\n isinstance(v, cls) else v) for v in result]\n kwargs['converter'] = converter\n return attr.ib(**kwargs)\n",
"role": "user"
},
{
"content": "mapped",
"role": "assistant"
}
] |
def x(inst, recurse=True, filter=None, dict_factory=dict,
retain_collection_types=False, basedir=None):
attrs = fields(inst.__class__)
rv = dict_factory()
def x(v):
if isinstance(v, Path):
v = str(v)
return os.path.relpath(v, str(basedir)) if basedir else v
return v
for a in attrs:
if a.name.startswith('__'):
continue
a_name = a.name.rstrip('_')
v = getattr(inst, a.name)
if filter is not None and not filter(a, v):
continue
if recurse is True:
if has(v.__class__):
rv[a_name] = ascwl(v, recurse=True, filter=filter,
dict_factory=dict_factory, basedir=basedir)
elif isinstance(v, (tuple, list, set)):
cf = v.__class__ if retain_collection_types is True else list
rv[a_name] = cf([(ascwl(i, recurse=True, filter=filter,
dict_factory=dict_factory, basedir=basedir) if has(i.
__class__) else i) for i in v])
if 'jsonldPredicate' in a.metadata:
k = a.metadata['jsonldPredicate'].get('mapSubject')
if k:
vv = dict_factory()
for i in rv[a_name]:
kk = i.pop(k)
vv[kk] = i
rv[a_name] = vv
elif isinstance(v, dict):
df = dict_factory
rv[a_name] = df((ascwl(kk, dict_factory=df, basedir=basedir
) if has(kk.__class__) else convert_value(kk), ascwl(vv,
dict_factory=df, basedir=basedir) if has(vv.__class__) else
vv) for kk, vv in iteritems(v))
else:
rv[a_name] = convert_value(v)
else:
rv[a_name] = convert_value(v)
if isinstance(inst, CWLClass):
rv['class'] = inst.__class__.__name__
return rv
|
ascwl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inst, recurse=True, filter=None, dict_factory=dict,\n retain_collection_types=False, basedir=None):\n attrs = fields(inst.__class__)\n rv = dict_factory()\n\n def x(v):\n if isinstance(v, Path):\n v = str(v)\n return os.path.relpath(v, str(basedir)) if basedir else v\n return v\n for a in attrs:\n if a.name.startswith('__'):\n continue\n a_name = a.name.rstrip('_')\n v = getattr(inst, a.name)\n if filter is not None and not filter(a, v):\n continue\n if recurse is True:\n if has(v.__class__):\n rv[a_name] = ascwl(v, recurse=True, filter=filter,\n dict_factory=dict_factory, basedir=basedir)\n elif isinstance(v, (tuple, list, set)):\n cf = v.__class__ if retain_collection_types is True else list\n rv[a_name] = cf([(ascwl(i, recurse=True, filter=filter,\n dict_factory=dict_factory, basedir=basedir) if has(i.\n __class__) else i) for i in v])\n if 'jsonldPredicate' in a.metadata:\n k = a.metadata['jsonldPredicate'].get('mapSubject')\n if k:\n vv = dict_factory()\n for i in rv[a_name]:\n kk = i.pop(k)\n vv[kk] = i\n rv[a_name] = vv\n elif isinstance(v, dict):\n df = dict_factory\n rv[a_name] = df((ascwl(kk, dict_factory=df, basedir=basedir\n ) if has(kk.__class__) else convert_value(kk), ascwl(vv,\n dict_factory=df, basedir=basedir) if has(vv.__class__) else\n vv) for kk, vv in iteritems(v))\n else:\n rv[a_name] = convert_value(v)\n else:\n rv[a_name] = convert_value(v)\n if isinstance(inst, CWLClass):\n rv['class'] = inst.__class__.__name__\n return rv\n",
"role": "user"
},
{
"content": "ascwl",
"role": "assistant"
}
] |
def x(cls, data, __reference__=None):
class_name = data.get('class', None)
cls = cls.registry.get(class_name, cls)
if __reference__:
with with_reference(__reference__):
self = cls(**{k: v for k, v in iteritems(data) if k != 'class'})
else:
self = cls(**{k: v for k, v in iteritems(data) if k != 'class'})
return self
|
from_cwl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data, __reference__=None):\n class_name = data.get('class', None)\n cls = cls.registry.get(class_name, cls)\n if __reference__:\n with with_reference(__reference__):\n self = cls(**{k: v for k, v in iteritems(data) if k != 'class'})\n else:\n self = cls(**{k: v for k, v in iteritems(data) if k != 'class'})\n return self\n",
"role": "user"
},
{
"content": "from_cwl",
"role": "assistant"
}
] |
def x(cls, path):
import yaml
with path.open(mode='r') as fp:
self = cls.from_cwl(yaml.safe_load(fp), __reference__=path)
return self
|
from_yaml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path):\n import yaml\n with path.open(mode='r') as fp:\n self = cls.from_cwl(yaml.safe_load(fp), __reference__=path)\n return self\n",
"role": "user"
},
{
"content": "from_yaml",
"role": "assistant"
}
] |
def x(client, force):
import pkg_resources
for tpl_file in CI_TEMPLATES:
tpl_path = client.path / tpl_file
with pkg_resources.resource_stream(__name__, tpl_file) as tpl:
content = tpl.read()
if not force and tpl_path.exists():
click.confirm('Do you want to override "{tpl_file}"'.format
(tpl_file=tpl_file), abort=True)
with tpl_path.open('wb') as dest:
dest.write(content)
|
template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, force):\n import pkg_resources\n for tpl_file in CI_TEMPLATES:\n tpl_path = client.path / tpl_file\n with pkg_resources.resource_stream(__name__, tpl_file) as tpl:\n content = tpl.read()\n if not force and tpl_path.exists():\n click.confirm('Do you want to override \"{tpl_file}\"'.format\n (tpl_file=tpl_file), abort=True)\n with tpl_path.open('wb') as dest:\n dest.write(content)\n",
"role": "user"
},
{
"content": "template",
"role": "assistant"
}
] |
def x(client, run, job):
from renku.models.provenance import ProcessRun
activity = client.process_commmit()
if not isinstance(activity, ProcessRun):
click.secho('No tool was found.', fg='red', file=sys.stderr)
return
try:
args = ['cwl-runner', activity.path]
if job:
job_file = tempfile.NamedTemporaryFile(suffix='.yml', dir=os.
getcwd(), delete=False)
args.append(job_file.name)
with job_file as fp:
yaml.dump(yaml.safe_load(job), stream=fp, encoding='utf-8')
if run:
return call(args, cwd=os.getcwd())
finally:
if job:
os.unlink(job_file.name)
|
rerun
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, run, job):\n from renku.models.provenance import ProcessRun\n activity = client.process_commmit()\n if not isinstance(activity, ProcessRun):\n click.secho('No tool was found.', fg='red', file=sys.stderr)\n return\n try:\n args = ['cwl-runner', activity.path]\n if job:\n job_file = tempfile.NamedTemporaryFile(suffix='.yml', dir=os.\n getcwd(), delete=False)\n args.append(job_file.name)\n with job_file as fp:\n yaml.dump(yaml.safe_load(job), stream=fp, encoding='utf-8')\n if run:\n return call(args, cwd=os.getcwd())\n finally:\n if job:\n os.unlink(job_file.name)\n",
"role": "user"
},
{
"content": "rerun",
"role": "assistant"
}
] |
def x(client, value):
if isinstance(value, File):
return os.path.relpath(str((client.workflow_path / value.path).
resolve()))
return value
|
format_default
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, value):\n if isinstance(value, File):\n return os.path.relpath(str((client.workflow_path / value.path).\n resolve()))\n return value\n",
"role": "user"
},
{
"content": "format_default",
"role": "assistant"
}
] |
def x(client, workflow):
for input_ in workflow.inputs:
click.echo('{id}: {default}'.format(id=input_.id, default=
_format_default(client, input_.default)))
sys.exit(0)
|
show_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, workflow):\n for input_ in workflow.inputs:\n click.echo('{id}: {default}'.format(id=input_.id, default=\n _format_default(client, input_.default)))\n sys.exit(0)\n",
"role": "user"
},
{
"content": "show_inputs",
"role": "assistant"
}
] |
def x(client, workflow):
types = {'int': int, 'string': str, 'File': lambda x: File(path=Path(x)
.resolve())}
for input_ in workflow.inputs:
convert = types.get(input_.type, str)
input_.default = convert(click.prompt('{0.id} ({0.type})'.format(
input_), default=_format_default(client, input_.default)))
return workflow
|
edit_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, workflow):\n types = {'int': int, 'string': str, 'File': lambda x: File(path=Path(x)\n .resolve())}\n for input_ in workflow.inputs:\n convert = types.get(input_.type, str)\n input_.default = convert(click.prompt('{0.id} ({0.type})'.format(\n input_), default=_format_default(client, input_.default)))\n return workflow\n",
"role": "user"
},
{
"content": "edit_inputs",
"role": "assistant"
}
] |
def x(client, revision, roots, siblings, inputs, paths):
graph = Graph(client)
outputs = graph.build(paths=paths, revision=revision)
outputs = siblings(graph, outputs)
output_paths = {node.path for node in outputs}
roots = {graph.normalize_path(root) for root in roots}
assert not roots & output_paths, '--from colides with output paths'
workflow = inputs(client, graph.ascwl(input_paths=roots, output_paths=
output_paths, outputs=outputs))
client.pull_paths_from_storage(*(path for _, path in workflow.
iter_input_files(client.workflow_path)))
import yaml
output_file = client.workflow_path / '{0}.cwl'.format(uuid.uuid4().hex)
with output_file.open('w') as f:
f.write(yaml.dump(ascwl(workflow, filter=lambda _, x: x is not None,
basedir=client.workflow_path), default_flow_style=False))
from ._cwl import execute
execute(client, output_file, output_paths=output_paths)
|
rerun
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, revision, roots, siblings, inputs, paths):\n graph = Graph(client)\n outputs = graph.build(paths=paths, revision=revision)\n outputs = siblings(graph, outputs)\n output_paths = {node.path for node in outputs}\n roots = {graph.normalize_path(root) for root in roots}\n assert not roots & output_paths, '--from colides with output paths'\n workflow = inputs(client, graph.ascwl(input_paths=roots, output_paths=\n output_paths, outputs=outputs))\n client.pull_paths_from_storage(*(path for _, path in workflow.\n iter_input_files(client.workflow_path)))\n import yaml\n output_file = client.workflow_path / '{0}.cwl'.format(uuid.uuid4().hex)\n with output_file.open('w') as f:\n f.write(yaml.dump(ascwl(workflow, filter=lambda _, x: x is not None,\n basedir=client.workflow_path), default_flow_style=False))\n from ._cwl import execute\n execute(client, output_file, output_paths=output_paths)\n",
"role": "user"
},
{
"content": "rerun",
"role": "assistant"
}
] |
def x(ctx, client):
from renku.models._jsonld import asjsonld
from renku.models.datasets import Dataset
from renku.models.refs import LinkReference
from ._checks.location_datasets import _dataset_metadata_pre_0_3_4
for old_path in _dataset_metadata_pre_0_3_4(client):
with old_path.open('r') as fp:
dataset = Dataset.from_jsonld(yaml.safe_load(fp))
name = str(old_path.parent.relative_to(client.path / 'data'))
new_path = (client.renku_datasets_path / dataset.identifier.hex /
client.METADATA)
new_path.parent.mkdir(parents=True, exist_ok=True)
dataset = dataset.rename_files(lambda key: os.path.relpath(str(
old_path.parent / key), start=str(new_path.parent)))
with new_path.open('w') as fp:
yaml.dump(asjsonld(dataset), fp, default_flow_style=False)
old_path.unlink()
LinkReference.create(client=client, name='datasets/' + name
).set_reference(new_path)
|
datasets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, client):\n from renku.models._jsonld import asjsonld\n from renku.models.datasets import Dataset\n from renku.models.refs import LinkReference\n from ._checks.location_datasets import _dataset_metadata_pre_0_3_4\n for old_path in _dataset_metadata_pre_0_3_4(client):\n with old_path.open('r') as fp:\n dataset = Dataset.from_jsonld(yaml.safe_load(fp))\n name = str(old_path.parent.relative_to(client.path / 'data'))\n new_path = (client.renku_datasets_path / dataset.identifier.hex /\n client.METADATA)\n new_path.parent.mkdir(parents=True, exist_ok=True)\n dataset = dataset.rename_files(lambda key: os.path.relpath(str(\n old_path.parent / key), start=str(new_path.parent)))\n with new_path.open('w') as fp:\n yaml.dump(asjsonld(dataset), fp, default_flow_style=False)\n old_path.unlink()\n LinkReference.create(client=client, name='datasets/' + name\n ).set_reference(new_path)\n",
"role": "user"
},
{
"content": "datasets",
"role": "assistant"
}
] |
def x(ctx, paths):
click.secho('Use "renku storage pull" instead.', fg='red', err=True)
ctx.exit(2)
|
path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, paths):\n click.secho('Use \"renku storage pull\" instead.', fg='red', err=True)\n ctx.exit(2)\n",
"role": "user"
},
{
"content": "path",
"role": "assistant"
}
] |
def x(client, auto_login=True):
repo = client.repo
config = repo.config_reader()
remote_url = None
try:
registry_url = config.get_value('renku', 'registry', None)
except NoSectionError:
registry_url = None
remote_branch = repo.head.reference.tracking_branch()
if remote_branch is not None:
remote_name = remote_branch.remote_name
config_section = 'renku "{remote_name}"'.format(remote_name=remote_name
)
try:
registry_url = config.get_value(config_section, 'registry',
registry_url)
except NoSectionError:
pass
remote_url = repo.remotes[remote_name].url
if registry_url:
url = GitURL.parse(registry_url)
elif remote_url:
url = GitURL.parse(remote_url)
hostname_parts = url.hostname.split('.')
if len(hostname_parts) > 2 and hostname_parts[0] == 'gitlab':
hostname_parts = hostname_parts[1:]
hostname = '.'.join(['registry'] + hostname_parts)
url = attr.evolve(url, hostname=hostname)
else:
raise errors.ConfigurationError(
'Configure renku.repository_url or Git remote.')
if auto_login and url.username and url.password:
try:
subprocess.run(['docker', 'login', url.hostname, '-u', url.
username, '--password-stdin'], check=True, input=url.
password.encode('utf-8'))
except subprocess.CalledProcessError:
raise errors.AuthenticationError(
'Check configuration of password or token in the registry URL')
return url
|
detect_registry_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, auto_login=True):\n repo = client.repo\n config = repo.config_reader()\n remote_url = None\n try:\n registry_url = config.get_value('renku', 'registry', None)\n except NoSectionError:\n registry_url = None\n remote_branch = repo.head.reference.tracking_branch()\n if remote_branch is not None:\n remote_name = remote_branch.remote_name\n config_section = 'renku \"{remote_name}\"'.format(remote_name=remote_name\n )\n try:\n registry_url = config.get_value(config_section, 'registry',\n registry_url)\n except NoSectionError:\n pass\n remote_url = repo.remotes[remote_name].url\n if registry_url:\n url = GitURL.parse(registry_url)\n elif remote_url:\n url = GitURL.parse(remote_url)\n hostname_parts = url.hostname.split('.')\n if len(hostname_parts) > 2 and hostname_parts[0] == 'gitlab':\n hostname_parts = hostname_parts[1:]\n hostname = '.'.join(['registry'] + hostname_parts)\n url = attr.evolve(url, hostname=hostname)\n else:\n raise errors.ConfigurationError(\n 'Configure renku.repository_url or Git remote.')\n if auto_login and url.username and url.password:\n try:\n subprocess.run(['docker', 'login', url.hostname, '-u', url.\n username, '--password-stdin'], check=True, input=url.\n password.encode('utf-8'))\n except subprocess.CalledProcessError:\n raise errors.AuthenticationError(\n 'Check configuration of password or token in the registry URL')\n return url\n",
"role": "user"
},
{
"content": "detect_registry_url",
"role": "assistant"
}
] |
def x(self, obj):
if isinstance(obj, UUID):
return obj.hex
elif isinstance(obj, datetime.datetime):
return obj.isoformat()
return super().default(obj)
|
default
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if isinstance(obj, UUID):\n return obj.hex\n elif isinstance(obj, datetime.datetime):\n return obj.isoformat()\n return super().default(obj)\n",
"role": "user"
},
{
"content": "default",
"role": "assistant"
}
] |
def x(client, outputs, no_output, success_codes, isolation, command_line):
working_dir = client.repo.working_dir
mapped_std = _mapped_std_streams(client.candidate_paths)
factory = CommandLineToolFactory(command_line=command_line, directory=
os.getcwd(), working_dir=working_dir, successCodes=success_codes,
**{name: os.path.relpath(path, working_dir) for name, path in
mapped_std.items()})
with client.with_workflow_storage() as wf:
with factory.watch(client, no_output=no_output, outputs=outputs
) as tool:
client.pull_paths_from_storage(*(path for _, path in tool.
iter_input_files(client.workflow_path)))
returncode = call(factory.command_line, cwd=os.getcwd(), **{key:
getattr(sys, key) for key in mapped_std.keys()})
if returncode not in (success_codes or {0}):
raise errors.InvalidSuccessCode(returncode, success_codes=
success_codes)
sys.stdout.flush()
sys.stderr.flush()
wf.add_step(run=tool)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, outputs, no_output, success_codes, isolation, command_line):\n working_dir = client.repo.working_dir\n mapped_std = _mapped_std_streams(client.candidate_paths)\n factory = CommandLineToolFactory(command_line=command_line, directory=\n os.getcwd(), working_dir=working_dir, successCodes=success_codes,\n **{name: os.path.relpath(path, working_dir) for name, path in\n mapped_std.items()})\n with client.with_workflow_storage() as wf:\n with factory.watch(client, no_output=no_output, outputs=outputs\n ) as tool:\n client.pull_paths_from_storage(*(path for _, path in tool.\n iter_input_files(client.workflow_path)))\n returncode = call(factory.command_line, cwd=os.getcwd(), **{key:\n getattr(sys, key) for key in mapped_std.keys()})\n if returncode not in (success_codes or {0}):\n raise errors.InvalidSuccessCode(returncode, success_codes=\n success_codes)\n sys.stdout.flush()\n sys.stderr.flush()\n wf.add_step(run=tool)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(client, revision, format, no_output, paths):
graph = Graph(client)
if not paths:
start, is_range, stop = revision.partition('..')
if not is_range:
stop = start
elif not stop:
stop = 'HEAD'
commit = client.repo.rev_parse(stop)
paths = (str(client.path / item.a_path) for item in commit.diff(
commit.parents or NULL_TREE))
graph.build(paths=paths, revision=revision, can_be_cwl=no_output)
FORMATS[format](graph)
|
log
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, revision, format, no_output, paths):\n graph = Graph(client)\n if not paths:\n start, is_range, stop = revision.partition('..')\n if not is_range:\n stop = start\n elif not stop:\n stop = 'HEAD'\n commit = client.repo.rev_parse(stop)\n paths = (str(client.path / item.a_path) for item in commit.diff(\n commit.parents or NULL_TREE))\n graph.build(paths=paths, revision=revision, can_be_cwl=no_output)\n FORMATS[format](graph)\n",
"role": "user"
},
{
"content": "log",
"role": "assistant"
}
] |
def x(ctx, client, revision, no_output, path):
graph = Graph(client)
status = graph.build_status(revision=revision, can_be_cwl=no_output)
click.echo('On branch {0}'.format(client.repo.active_branch))
if status['outdated']:
click.echo(
"""Files generated from newer inputs:
(use "renku log [<file>...]" to see the full lineage)
(use "renku update [<file>...]" to generate the file from its latest inputs)
"""
)
for filepath, stts in sorted(status['outdated'].items()):
outdated = ', '.join('{0}#{1}'.format(click.style(graph.
_format_path(n.path), fg='blue', bold=True), _format_sha1(
graph, n)) for n in stts if n.path and n.path not in status
['outdated'])
click.echo('\t{0}: {1}'.format(click.style(graph._format_path(
filepath), fg='red', bold=True), outdated))
click.echo()
else:
click.secho('All files were generated from the latest inputs.', fg=
'green')
if status['multiple-versions']:
click.echo(
"""Input files used in different versions:
(use "renku log --revision <sha1> <file>" to see a lineage for the given revision)
"""
)
for filepath, files in sorted(status['multiple-versions'].items()):
commits = {_format_sha1(graph, key) for key in files}
click.echo('\t{0}: {1}'.format(click.style(graph._format_path(
filepath), fg='blue', bold=True), ', '.join(commits)))
click.echo()
if status['deleted']:
click.echo(
"""Deleted files used to generate outputs:
(use "git show <sha1>:<file>" to see the file content for the given revision)
"""
)
for filepath, node in status['deleted'].items():
click.echo('\t{0}: {1}'.format(click.style(graph._format_path(
filepath), fg='blue', bold=True), _format_sha1(graph, node)))
click.echo()
ctx.exit(1 if status['outdated'] else 0)
|
status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, client, revision, no_output, path):\n graph = Graph(client)\n status = graph.build_status(revision=revision, can_be_cwl=no_output)\n click.echo('On branch {0}'.format(client.repo.active_branch))\n if status['outdated']:\n click.echo(\n \"\"\"Files generated from newer inputs:\n (use \"renku log [<file>...]\" to see the full lineage)\n (use \"renku update [<file>...]\" to generate the file from its latest inputs)\n\"\"\"\n )\n for filepath, stts in sorted(status['outdated'].items()):\n outdated = ', '.join('{0}#{1}'.format(click.style(graph.\n _format_path(n.path), fg='blue', bold=True), _format_sha1(\n graph, n)) for n in stts if n.path and n.path not in status\n ['outdated'])\n click.echo('\\t{0}: {1}'.format(click.style(graph._format_path(\n filepath), fg='red', bold=True), outdated))\n click.echo()\n else:\n click.secho('All files were generated from the latest inputs.', fg=\n 'green')\n if status['multiple-versions']:\n click.echo(\n \"\"\"Input files used in different versions:\n (use \"renku log --revision <sha1> <file>\" to see a lineage for the given revision)\n\"\"\"\n )\n for filepath, files in sorted(status['multiple-versions'].items()):\n commits = {_format_sha1(graph, key) for key in files}\n click.echo('\\t{0}: {1}'.format(click.style(graph._format_path(\n filepath), fg='blue', bold=True), ', '.join(commits)))\n click.echo()\n if status['deleted']:\n click.echo(\n \"\"\"Deleted files used to generate outputs:\n (use \"git show <sha1>:<file>\" to see the file content for the given revision)\n\"\"\"\n )\n for filepath, node in status['deleted'].items():\n click.echo('\\t{0}: {1}'.format(click.style(graph._format_path(\n filepath), fg='blue', bold=True), _format_sha1(graph, node)))\n click.echo()\n ctx.exit(1 if status['outdated'] else 0)\n",
"role": "user"
},
{
"content": "status",
"role": "assistant"
}
] |
def x(ctx, param, value):
if not value:
value = os.path.basename(ctx.params['directory'].rstrip(os.path.sep))
return value
|
validate_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, param, value):\n if not value:\n value = os.path.basename(ctx.params['directory'].rstrip(os.path.sep))\n return value\n",
"role": "user"
},
{
"content": "validate_name",
"role": "assistant"
}
] |
def x(ctx, param, value):
Path(value).mkdir(parents=True, exist_ok=True)
set_git_home(value)
return value
|
store_directory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, param, value):\n Path(value).mkdir(parents=True, exist_ok=True)\n set_git_home(value)\n return value\n",
"role": "user"
},
{
"content": "store_directory",
"role": "assistant"
}
] |
def x(ctx, client, directory, name, force, use_external_storage):
if not client.use_external_storage:
use_external_storage = False
ctx.obj = client = attr.evolve(client, path=directory,
use_external_storage=use_external_storage)
msg = 'Initialized empty project in {path}'
branch_name = None
stack = contextlib.ExitStack()
if force and client.repo:
msg = 'Initialized project in {path} (branch {branch_name})'
merge_args = ['--no-ff', '-s', 'recursive', '-X', 'ours']
try:
commit = client.find_previous_commit(str(client.
renku_metadata_path))
branch_name = 'renku/init/' + str(commit)
except KeyError:
from git import NULL_TREE
commit = NULL_TREE
branch_name = 'renku/init/root'
merge_args.append('--allow-unrelated-histories')
ctx.obj = client = stack.enter_context(client.worktree(branch_name=
branch_name, commit=commit, merge_args=merge_args))
try:
with client.lock:
path = client.init_repository(name=name, force=force)
except FileExistsError:
raise click.UsageError(
'Renku repository is not empty. Please use --force flag to use the directory as Renku repository.'
)
stack.enter_context(client.commit())
with stack:
from .githooks import install
ctx.invoke(install, force=force)
from .runner import template
ctx.invoke(template, force=force)
click.echo(msg.format(path=path, branch_name=branch_name))
|
init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, client, directory, name, force, use_external_storage):\n if not client.use_external_storage:\n use_external_storage = False\n ctx.obj = client = attr.evolve(client, path=directory,\n use_external_storage=use_external_storage)\n msg = 'Initialized empty project in {path}'\n branch_name = None\n stack = contextlib.ExitStack()\n if force and client.repo:\n msg = 'Initialized project in {path} (branch {branch_name})'\n merge_args = ['--no-ff', '-s', 'recursive', '-X', 'ours']\n try:\n commit = client.find_previous_commit(str(client.\n renku_metadata_path))\n branch_name = 'renku/init/' + str(commit)\n except KeyError:\n from git import NULL_TREE\n commit = NULL_TREE\n branch_name = 'renku/init/root'\n merge_args.append('--allow-unrelated-histories')\n ctx.obj = client = stack.enter_context(client.worktree(branch_name=\n branch_name, commit=commit, merge_args=merge_args))\n try:\n with client.lock:\n path = client.init_repository(name=name, force=force)\n except FileExistsError:\n raise click.UsageError(\n 'Renku repository is not empty. Please use --force flag to use the directory as Renku repository.'\n )\n stack.enter_context(client.commit())\n with stack:\n from .githooks import install\n ctx.invoke(install, force=force)\n from .runner import template\n ctx.invoke(template, force=force)\n click.echo(msg.format(path=path, branch_name=branch_name))\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
] |
def x(client):
missing = defaultdict(list)
for path, dataset in client.datasets.items():
for file in dataset.files:
filepath = path.parent / file
if not filepath.exists():
missing[str(path.parent.relative_to(client.
renku_datasets_path))].append(os.path.normpath(str(
filepath.relative_to(client.path))))
if not missing:
return True
click.secho(WARNING + 'There are missing files in datasets.')
for dataset, files in missing.items():
click.secho('\n\t' + click.style(dataset, fg='yellow') + ':\n\t ' +
'\n\t '.join(click.style(path, fg='red') for path in files))
return False
|
check_missing_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client):\n missing = defaultdict(list)\n for path, dataset in client.datasets.items():\n for file in dataset.files:\n filepath = path.parent / file\n if not filepath.exists():\n missing[str(path.parent.relative_to(client.\n renku_datasets_path))].append(os.path.normpath(str(\n filepath.relative_to(client.path))))\n if not missing:\n return True\n click.secho(WARNING + 'There are missing files in datasets.')\n for dataset, files in missing.items():\n click.secho('\\n\\t' + click.style(dataset, fg='yellow') + ':\\n\\t ' +\n '\\n\\t '.join(click.style(path, fg='red') for path in files))\n return False\n",
"role": "user"
},
{
"content": "check_missing_files",
"role": "assistant"
}
] |
def x(cls, e):
assert isinstance(e, requests.exceptions.HTTPError)
response = e.response
try:
message = response.json()['message']
except (KeyError, ValueError):
message = response.content.strip()
raise cls(message)
|
from_http_exception
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, e):\n assert isinstance(e, requests.exceptions.HTTPError)\n response = e.response\n try:\n message = response.json()['message']\n except (KeyError, ValueError):\n message = response.content.strip()\n raise cls(message)\n",
"role": "user"
},
{
"content": "from_http_exception",
"role": "assistant"
}
] |
def x(cls, response, expected_status_code):
try:
if response.status_code in expected_status_code:
return response
except TypeError:
if response.status_code == expected_status_code:
return response
raise cls(response)
|
return_or_raise
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, expected_status_code):\n try:\n if response.status_code in expected_status_code:\n return response\n except TypeError:\n if response.status_code == expected_status_code:\n return response\n raise cls(response)\n",
"role": "user"
},
{
"content": "return_or_raise",
"role": "assistant"
}
] |
def x(client):
from renku.models.refs import LinkReference
missing = [ref for ref in LinkReference.iter_items(client) if not ref.
reference.exists()]
if not missing:
return True
click.secho(WARNING +
"""There are missing references.
(use "git rm <name>" to clean them)
"""
+ '\n\t '.join(click.style(str(ref.path), fg='yellow') + ' -> ' +
click.style(str(ref.reference), fg='red') for ref in missing) + '\n')
return False
|
check_missing_references
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client):\n from renku.models.refs import LinkReference\n missing = [ref for ref in LinkReference.iter_items(client) if not ref.\n reference.exists()]\n if not missing:\n return True\n click.secho(WARNING +\n \"\"\"There are missing references.\n (use \"git rm <name>\" to clean them)\n\n\t\"\"\"\n + '\\n\\t '.join(click.style(str(ref.path), fg='yellow') + ' -> ' +\n click.style(str(ref.reference), fg='red') for ref in missing) + '\\n')\n return False\n",
"role": "user"
},
{
"content": "check_missing_references",
"role": "assistant"
}
] |
def x(path='.'):
ctx = click.get_current_context(silent=True)
if ctx and GIT_KEY in ctx.meta:
return ctx.meta[GIT_KEY]
from git import Repo
return Repo(path, search_parent_directories=True).working_dir
|
get_git_home
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path='.'):\n ctx = click.get_current_context(silent=True)\n if ctx and GIT_KEY in ctx.meta:\n return ctx.meta[GIT_KEY]\n from git import Repo\n return Repo(path, search_parent_directories=True).working_dir\n",
"role": "user"
},
{
"content": "get_git_home",
"role": "assistant"
}
] |
def x():
ctx = click.get_current_context(silent=True)
if ctx and GIT_ISOLATION in ctx.meta:
return ctx.meta[GIT_ISOLATION]
|
get_git_isolation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ctx = click.get_current_context(silent=True)\n if ctx and GIT_ISOLATION in ctx.meta:\n return ctx.meta[GIT_ISOLATION]\n",
"role": "user"
},
{
"content": "get_git_isolation",
"role": "assistant"
}
] |
def x(repo, issue=None):
branch_name = str(issue) if issue else 'master'
if branch_name not in repo.heads:
branch = repo.create_head(branch_name)
else:
branch = repo.heads[branch_name]
branch.checkout()
|
safe_issue_checkout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repo, issue=None):\n branch_name = str(issue) if issue else 'master'\n if branch_name not in repo.heads:\n branch = repo.create_head(branch_name)\n else:\n branch = repo.heads[branch_name]\n branch.checkout()\n",
"role": "user"
},
{
"content": "safe_issue_checkout",
"role": "assistant"
}
] |
def x(maybe_cls=None, type=None, context=None, translate=None, **attrs_kwargs):
if isinstance(type, (list, tuple, set)):
types = list(type)
else:
types = [type] if type is not None else []
context = context or {}
translate = translate or {}
def x(cls):
jsonld_cls = attr.s(cls, **attrs_kwargs)
if not issubclass(jsonld_cls, JSONLDMixin):
jsonld_cls = attr.s(make_type(cls.__name__, (jsonld_cls,
JSONLDMixin), {}), **attrs_kwargs)
for subcls in jsonld_cls.mro():
subtype = getattr(subcls, '_jsonld_type', None)
if subtype:
if isinstance(subtype, (tuple, list)):
types.extend(subtype)
else:
types.append(subtype)
for key, value in getattr(subcls, '_jsonld_context', {}).items():
if key in context and context[key] != value:
raise TypeError()
context.setdefault(key, value)
for a in attr.fields(jsonld_cls):
key = a.name
ctx = a.metadata.get(KEY)
if ctx is None:
continue
if ':' in ctx:
prefix, _ = ctx.split(':', 1)
if prefix in context:
context[key] = ctx
continue
if isinstance(ctx, dict) or ctx not in context:
context[key] = ctx
if KEY_CLS in a.metadata:
merge_ctx = a.metadata[KEY_CLS]._jsonld_context
for ctx_key, ctx_value in merge_ctx.items():
context.setdefault(ctx_key, ctx_value)
if context[ctx_key] != ctx_value:
raise TypeError(
'Can not merge {0} and {1} because of {2}'.
format(jsonld_cls, a.metadata[KEY_CLS], ctx_key))
jsonld_cls.__module__ = cls.__module__
jsonld_cls._jsonld_type = types[0] if len(types) == 1 else list(sorted
(set(types)))
jsonld_cls._jsonld_context = context
jsonld_cls._jsonld_translate = translate
jsonld_cls._jsonld_fields = {a.name for a in attr.fields(jsonld_cls
) if KEY in a.metadata}
context_doc = '\n'.join(' ' + line for line in json.dumps(context,
indent=2).split('\n'))
jsonld_cls.__doc__ = DOC_TPL.format(cls=cls, type=json.dumps(
jsonld_cls._jsonld_type), context=context_doc)
try:
type_ = ld.expand({'@type': jsonld_cls._jsonld_type, '@context':
context})[0]['@type']
if isinstance(type_, list):
type_ = tuple(sorted(type_))
except Exception:
return jsonld_cls
if type_ in jsonld_cls.__type_registry__:
raise TypeError('Type {0!r} is already registered for class {1!r}.'
.format(jsonld_cls._jsonld_type, jsonld_cls.
__type_registry__[jsonld_cls._jsonld_type]))
jsonld_cls.__type_registry__[type_] = jsonld_cls
return jsonld_cls
if maybe_cls is None:
return wrap
return wrap(maybe_cls)
|
attrs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(maybe_cls=None, type=None, context=None, translate=None, **attrs_kwargs):\n if isinstance(type, (list, tuple, set)):\n types = list(type)\n else:\n types = [type] if type is not None else []\n context = context or {}\n translate = translate or {}\n\n def x(cls):\n jsonld_cls = attr.s(cls, **attrs_kwargs)\n if not issubclass(jsonld_cls, JSONLDMixin):\n jsonld_cls = attr.s(make_type(cls.__name__, (jsonld_cls,\n JSONLDMixin), {}), **attrs_kwargs)\n for subcls in jsonld_cls.mro():\n subtype = getattr(subcls, '_jsonld_type', None)\n if subtype:\n if isinstance(subtype, (tuple, list)):\n types.extend(subtype)\n else:\n types.append(subtype)\n for key, value in getattr(subcls, '_jsonld_context', {}).items():\n if key in context and context[key] != value:\n raise TypeError()\n context.setdefault(key, value)\n for a in attr.fields(jsonld_cls):\n key = a.name\n ctx = a.metadata.get(KEY)\n if ctx is None:\n continue\n if ':' in ctx:\n prefix, _ = ctx.split(':', 1)\n if prefix in context:\n context[key] = ctx\n continue\n if isinstance(ctx, dict) or ctx not in context:\n context[key] = ctx\n if KEY_CLS in a.metadata:\n merge_ctx = a.metadata[KEY_CLS]._jsonld_context\n for ctx_key, ctx_value in merge_ctx.items():\n context.setdefault(ctx_key, ctx_value)\n if context[ctx_key] != ctx_value:\n raise TypeError(\n 'Can not merge {0} and {1} because of {2}'.\n format(jsonld_cls, a.metadata[KEY_CLS], ctx_key))\n jsonld_cls.__module__ = cls.__module__\n jsonld_cls._jsonld_type = types[0] if len(types) == 1 else list(sorted\n (set(types)))\n jsonld_cls._jsonld_context = context\n jsonld_cls._jsonld_translate = translate\n jsonld_cls._jsonld_fields = {a.name for a in attr.fields(jsonld_cls\n ) if KEY in a.metadata}\n context_doc = '\\n'.join(' ' + line for line in json.dumps(context,\n indent=2).split('\\n'))\n jsonld_cls.__doc__ = DOC_TPL.format(cls=cls, type=json.dumps(\n jsonld_cls._jsonld_type), context=context_doc)\n try:\n type_ = ld.expand({'@type': jsonld_cls._jsonld_type, '@context':\n context})[0]['@type']\n if isinstance(type_, list):\n type_ = tuple(sorted(type_))\n except Exception:\n return jsonld_cls\n if type_ in jsonld_cls.__type_registry__:\n raise TypeError('Type {0!r} is already registered for class {1!r}.'\n .format(jsonld_cls._jsonld_type, jsonld_cls.\n __type_registry__[jsonld_cls._jsonld_type]))\n jsonld_cls.__type_registry__[type_] = jsonld_cls\n return jsonld_cls\n if maybe_cls is None:\n return wrap\n return wrap(maybe_cls)\n",
"role": "user"
},
{
"content": "attrs",
"role": "assistant"
}
] |
def x(context=None, **kwargs):
kwargs.setdefault('metadata', {})
kwargs['metadata'][KEY] = context
return attr.ib(**kwargs)
|
attrib
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context=None, **kwargs):\n kwargs.setdefault('metadata', {})\n kwargs['metadata'][KEY] = context\n return attr.ib(**kwargs)\n",
"role": "user"
},
{
"content": "attrib",
"role": "assistant"
}
] |
def x(name, container, mapper):
context = {'@container': '@{0}'.format(name)}
def x(type, **kwargs):
kwargs.setdefault('metadata', {})
kwargs['metadata'][KEY_CLS] = type
kwargs['default'] = Factory(container)
def x(value):
if isinstance(value, container):
return mapper(type, value)
elif value is None:
return value
raise ValueError(value)
kwargs.setdefault('converter', _converter)
context_ib = context.copy()
context_ib.update(kwargs.pop('context', {}))
return attrib(context=context_ib, **kwargs)
return _attrib
|
container_attrib_builder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, container, mapper):\n context = {'@container': '@{0}'.format(name)}\n\n def x(type, **kwargs):\n kwargs.setdefault('metadata', {})\n kwargs['metadata'][KEY_CLS] = type\n kwargs['default'] = Factory(container)\n\n def x(value):\n if isinstance(value, container):\n return mapper(type, value)\n elif value is None:\n return value\n raise ValueError(value)\n kwargs.setdefault('converter', _converter)\n context_ib = context.copy()\n context_ib.update(kwargs.pop('context', {}))\n return attrib(context=context_ib, **kwargs)\n return _attrib\n",
"role": "user"
},
{
"content": "container_attrib_builder",
"role": "assistant"
}
] |
def x(inst, recurse=True, filter=None, dict_factory=dict,
retain_collection_types=False, export_context=True, basedir=None):
jsonld_fields = inst.__class__._jsonld_fields
attrs = tuple(field for field in fields(inst.__class__) if field.name in
jsonld_fields)
rv = dict_factory()
def x(v):
if isinstance(v, Path):
v = str(v)
return os.path.relpath(v, str(basedir)) if basedir else v
return v
for a in attrs:
v = getattr(inst, a.name)
if isinstance(v, weakref.ReferenceType):
continue
ec = export_context and KEY_CLS not in a.metadata
if filter is not None and not filter(a, v):
continue
if recurse is True:
if has(v.__class__):
rv[a.name] = asjsonld(v, recurse=True, filter=filter,
dict_factory=dict_factory, basedir=basedir)
elif isinstance(v, (tuple, list, set)):
cf = v.__class__ if retain_collection_types is True else list
rv[a.name] = cf([(asjsonld(i, recurse=True, filter=filter,
dict_factory=dict_factory, export_context=ec, basedir=
basedir) if has(i.__class__) else i) for i in v])
elif isinstance(v, dict):
df = dict_factory
rv[a.name] = df((asjsonld(kk, dict_factory=df, basedir=
basedir) if has(kk.__class__) else convert_value(kk),
asjsonld(vv, dict_factory=df, export_context=ec,
basedir=basedir) if has(vv.__class__) else vv) for kk,
vv in iteritems(v))
else:
rv[a.name] = convert_value(v)
else:
rv[a.name] = convert_value(v)
inst_cls = type(inst)
if export_context:
rv['@context'] = deepcopy(inst_cls._jsonld_context)
if inst_cls._jsonld_type:
rv['@type'] = inst_cls._jsonld_type
return rv
|
asjsonld
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inst, recurse=True, filter=None, dict_factory=dict,\n retain_collection_types=False, export_context=True, basedir=None):\n jsonld_fields = inst.__class__._jsonld_fields\n attrs = tuple(field for field in fields(inst.__class__) if field.name in\n jsonld_fields)\n rv = dict_factory()\n\n def x(v):\n if isinstance(v, Path):\n v = str(v)\n return os.path.relpath(v, str(basedir)) if basedir else v\n return v\n for a in attrs:\n v = getattr(inst, a.name)\n if isinstance(v, weakref.ReferenceType):\n continue\n ec = export_context and KEY_CLS not in a.metadata\n if filter is not None and not filter(a, v):\n continue\n if recurse is True:\n if has(v.__class__):\n rv[a.name] = asjsonld(v, recurse=True, filter=filter,\n dict_factory=dict_factory, basedir=basedir)\n elif isinstance(v, (tuple, list, set)):\n cf = v.__class__ if retain_collection_types is True else list\n rv[a.name] = cf([(asjsonld(i, recurse=True, filter=filter,\n dict_factory=dict_factory, export_context=ec, basedir=\n basedir) if has(i.__class__) else i) for i in v])\n elif isinstance(v, dict):\n df = dict_factory\n rv[a.name] = df((asjsonld(kk, dict_factory=df, basedir=\n basedir) if has(kk.__class__) else convert_value(kk), \n asjsonld(vv, dict_factory=df, export_context=ec,\n basedir=basedir) if has(vv.__class__) else vv) for kk,\n vv in iteritems(v))\n else:\n rv[a.name] = convert_value(v)\n else:\n rv[a.name] = convert_value(v)\n inst_cls = type(inst)\n if export_context:\n rv['@context'] = deepcopy(inst_cls._jsonld_context)\n if inst_cls._jsonld_type:\n rv['@type'] = inst_cls._jsonld_type\n return rv\n",
"role": "user"
},
{
"content": "asjsonld",
"role": "assistant"
}
] |
def x(cls, data, __reference__=None, __source__=None):
if isinstance(data, cls):
return data
if not isinstance(data, dict):
raise ValueError(data)
if '@type' in data:
type_ = tuple(sorted(data['@type']))
if type_ in cls.__type_registry__ and getattr(cls, '_jsonld_type', None
) != type_:
new_cls = cls.__type_registry__[type_]
if cls != new_cls:
return new_cls.from_jsonld(data)
if cls._jsonld_translate:
data = ld.compact(data, {'@context': cls._jsonld_translate})
data.pop('@context', None)
data.setdefault('@context', cls._jsonld_context)
if data['@context'] != cls._jsonld_context:
compacted = ld.compact(data, {'@context': cls._jsonld_context})
else:
compacted = data
fields = cls._jsonld_fields
if __reference__:
with with_reference(__reference__):
self = cls(**{k.lstrip('_'): v for k, v in compacted.items() if
k in fields})
else:
self = cls(**{k.lstrip('_'): v for k, v in compacted.items() if k in
fields})
if __source__:
setattr(self, '__source__', __source__)
return self
|
from_jsonld
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data, __reference__=None, __source__=None):\n if isinstance(data, cls):\n return data\n if not isinstance(data, dict):\n raise ValueError(data)\n if '@type' in data:\n type_ = tuple(sorted(data['@type']))\n if type_ in cls.__type_registry__ and getattr(cls, '_jsonld_type', None\n ) != type_:\n new_cls = cls.__type_registry__[type_]\n if cls != new_cls:\n return new_cls.from_jsonld(data)\n if cls._jsonld_translate:\n data = ld.compact(data, {'@context': cls._jsonld_translate})\n data.pop('@context', None)\n data.setdefault('@context', cls._jsonld_context)\n if data['@context'] != cls._jsonld_context:\n compacted = ld.compact(data, {'@context': cls._jsonld_context})\n else:\n compacted = data\n fields = cls._jsonld_fields\n if __reference__:\n with with_reference(__reference__):\n self = cls(**{k.lstrip('_'): v for k, v in compacted.items() if\n k in fields})\n else:\n self = cls(**{k.lstrip('_'): v for k, v in compacted.items() if k in\n fields})\n if __source__:\n setattr(self, '__source__', __source__)\n return self\n",
"role": "user"
},
{
"content": "from_jsonld",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.