source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(application, project_id, control_client, loader=service.Loaders.
FROM_SERVICE_MANAGEMENT):
return ConfigFetchWrapper(application, project_id, control_client, loader)
|
add_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(application, project_id, control_client, loader=service.Loaders.\n FROM_SERVICE_MANAGEMENT):\n return ConfigFetchWrapper(application, project_id, control_client, loader)\n",
"role": "user"
},
{
"content": "add_all",
"role": "assistant"
}
] |
def x(a_service):
if not isinstance(a_service, sm_messages.Service):
raise ValueError(u'service is None or not an instance of Service')
authentication = a_service.authentication
if not authentication:
_logger.info(
u'authentication is not configured in service, authentication checks will be disabled'
)
return
issuers_to_provider_ids = {}
issuer_uri_configs = {}
for provider in authentication.providers:
issuer = provider.issuer
jwks_uri = provider.jwksUri
open_id = jwks_uri is None
issuer_uri_configs[issuer] = suppliers.IssuerUriConfig(open_id,
jwks_uri)
issuers_to_provider_ids[issuer] = provider.id
key_uri_supplier = suppliers.KeyUriSupplier(issuer_uri_configs)
jwks_supplier = suppliers.JwksSupplier(key_uri_supplier)
authenticator = tokens.Authenticator(issuers_to_provider_ids, jwks_supplier
)
return authenticator
|
create_authenticator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_service):\n if not isinstance(a_service, sm_messages.Service):\n raise ValueError(u'service is None or not an instance of Service')\n authentication = a_service.authentication\n if not authentication:\n _logger.info(\n u'authentication is not configured in service, authentication checks will be disabled'\n )\n return\n issuers_to_provider_ids = {}\n issuer_uri_configs = {}\n for provider in authentication.providers:\n issuer = provider.issuer\n jwks_uri = provider.jwksUri\n open_id = jwks_uri is None\n issuer_uri_configs[issuer] = suppliers.IssuerUriConfig(open_id,\n jwks_uri)\n issuers_to_provider_ids[issuer] = provider.id\n key_uri_supplier = suppliers.KeyUriSupplier(issuer_uri_configs)\n jwks_supplier = suppliers.JwksSupplier(key_uri_supplier)\n authenticator = tokens.Authenticator(issuers_to_provider_ids, jwks_supplier\n )\n return authenticator\n",
"role": "user"
},
{
"content": "create_authenticator",
"role": "assistant"
}
] |
def x(op):
md5 = hashlib.md5()
md5.update(op.consumerId.encode('utf-8'))
md5.update(b'\x00')
md5.update(op.operationName.encode('utf-8'))
if op.labels:
signing.add_dict_to_hash(md5, encoding.MessageToPyValue(op.labels))
return md5.digest()
|
sign_operation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(op):\n md5 = hashlib.md5()\n md5.update(op.consumerId.encode('utf-8'))\n md5.update(b'\\x00')\n md5.update(op.operationName.encode('utf-8'))\n if op.labels:\n signing.add_dict_to_hash(md5, encoding.MessageToPyValue(op.labels))\n return md5.digest()\n",
"role": "user"
},
{
"content": "sign_operation",
"role": "assistant"
}
] |
def x(cls, logs=None, metric_names=None, label_names=None):
if not metric_names:
metric_names = ()
if not label_names:
label_names = ()
known_labels = []
known_metrics = []
for l in label_descriptor.KnownLabels.__members__.values():
if l.update_label_func and l.label_name in label_names:
known_labels.append(l)
for m in metric_descriptor.KnownMetrics.__members__.values():
if m.update_op_func and m.metric_name in metric_names:
known_metrics.append(m)
return cls(logs=logs, metrics=known_metrics, labels=known_labels)
|
from_known_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, logs=None, metric_names=None, label_names=None):\n if not metric_names:\n metric_names = ()\n if not label_names:\n label_names = ()\n known_labels = []\n known_metrics = []\n for l in label_descriptor.KnownLabels.__members__.values():\n if l.update_label_func and l.label_name in label_names:\n known_labels.append(l)\n for m in metric_descriptor.KnownMetrics.__members__.values():\n if m.update_op_func and m.metric_name in metric_names:\n known_metrics.append(m)\n return cls(logs=logs, metrics=known_metrics, labels=known_labels)\n",
"role": "user"
},
{
"content": "from_known_inputs",
"role": "assistant"
}
] |
def x(self, name, now):
d = {u'http_response_code': self.response_code, u'timestamp': time.
mktime(now.timetuple())}
severity = _SEVERITY.INFO
if self.response_code >= 400:
severity = _SEVERITY.ERROR
d[u'error_cause'] = self.error_cause.name
if self.request_size > 0:
d[u'request_size'] = self.request_size
if self.response_size > 0:
d[u'response_size'] = self.response_size
if self.method:
d[u'http_method'] = self.method
if self.request_time:
d[u'request_latency_in_ms'] = self.request_time.total_seconds() * 1000
for key in self.COPYABLE_LOG_FIELDS:
value = getattr(self, key, None)
if value:
d[key] = value
return sc_messages.LogEntry(name=name, timestamp=timestamp.to_rfc3339(
now), severity=severity, structPayload=_struct_payload_from(d))
|
as_log_entry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, now):\n d = {u'http_response_code': self.response_code, u'timestamp': time.\n mktime(now.timetuple())}\n severity = _SEVERITY.INFO\n if self.response_code >= 400:\n severity = _SEVERITY.ERROR\n d[u'error_cause'] = self.error_cause.name\n if self.request_size > 0:\n d[u'request_size'] = self.request_size\n if self.response_size > 0:\n d[u'response_size'] = self.response_size\n if self.method:\n d[u'http_method'] = self.method\n if self.request_time:\n d[u'request_latency_in_ms'] = self.request_time.total_seconds() * 1000\n for key in self.COPYABLE_LOG_FIELDS:\n value = getattr(self, key, None)\n if value:\n d[key] = value\n return sc_messages.LogEntry(name=name, timestamp=timestamp.to_rfc3339(\n now), severity=severity, structPayload=_struct_payload_from(d))\n",
"role": "user"
},
{
"content": "as_log_entry",
"role": "assistant"
}
] |
def x(self, rules, timer=datetime.utcnow):
if not self.service_name:
raise ValueError(u'the service name must be set')
op = super(Info, self).as_operation(timer=timer)
if op.operationId and op.operationName:
labels = {}
for known_label in rules.labels:
known_label.do_labels_update(self, labels)
labels[_KNOWN_LABELS.SCC_PLATFORM.label_name
] = self.platform.friendly_string()
labels[_KNOWN_LABELS.SCC_SERVICE_AGENT.label_name] = SERVICE_AGENT
labels[_KNOWN_LABELS.SCC_USER_AGENT.label_name] = USER_AGENT
if labels:
op.labels = encoding.PyValueToMessage(sc_messages.Operation.
LabelsValue, labels)
for known_metric in rules.metrics:
known_metric.do_operation_update(self, op)
now = timer()
op.logEntries = [self._as_log_entry(l, now) for l in rules.logs]
return sc_messages.ServicecontrolServicesReportRequest(serviceName=self
.service_name, reportRequest=sc_messages.ReportRequest(operations=[op])
)
|
as_report_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rules, timer=datetime.utcnow):\n if not self.service_name:\n raise ValueError(u'the service name must be set')\n op = super(Info, self).as_operation(timer=timer)\n if op.operationId and op.operationName:\n labels = {}\n for known_label in rules.labels:\n known_label.do_labels_update(self, labels)\n labels[_KNOWN_LABELS.SCC_PLATFORM.label_name\n ] = self.platform.friendly_string()\n labels[_KNOWN_LABELS.SCC_SERVICE_AGENT.label_name] = SERVICE_AGENT\n labels[_KNOWN_LABELS.SCC_USER_AGENT.label_name] = USER_AGENT\n if labels:\n op.labels = encoding.PyValueToMessage(sc_messages.Operation.\n LabelsValue, labels)\n for known_metric in rules.metrics:\n known_metric.do_operation_update(self, op)\n now = timer()\n op.logEntries = [self._as_log_entry(l, now) for l in rules.logs]\n return sc_messages.ServicecontrolServicesReportRequest(serviceName=self\n .service_name, reportRequest=sc_messages.ReportRequest(operations=[op])\n )\n",
"role": "user"
},
{
"content": "as_report_request",
"role": "assistant"
}
] |
def x(self):
if self._cache is None:
return _NO_RESULTS
with self._cache as c:
flushed_ops = [x.as_operation() for x in c.out_deque]
c.out_deque.clear()
reqs = []
max_ops = self.MAX_OPERATION_COUNT
for x in range(0, len(flushed_ops), max_ops):
report_request = sc_messages.ReportRequest(operations=
flushed_ops[x:x + max_ops])
reqs.append(sc_messages.ServicecontrolServicesReportRequest(
serviceName=self.service_name, reportRequest=report_request))
return reqs
|
flush
|
[
{
"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._cache is None:\n return _NO_RESULTS\n with self._cache as c:\n flushed_ops = [x.as_operation() for x in c.out_deque]\n c.out_deque.clear()\n reqs = []\n max_ops = self.MAX_OPERATION_COUNT\n for x in range(0, len(flushed_ops), max_ops):\n report_request = sc_messages.ReportRequest(operations=\n flushed_ops[x:x + max_ops])\n reqs.append(sc_messages.ServicecontrolServicesReportRequest(\n serviceName=self.service_name, reportRequest=report_request))\n return reqs\n",
"role": "user"
},
{
"content": "flush",
"role": "assistant"
}
] |
def x(self):
if self._cache is None:
return _NO_RESULTS
if self._cache is not None:
with self._cache as k:
res = [x.as_operation() for x in k.values()]
k.clear()
k.out_deque.clear()
return res
|
clear
|
[
{
"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._cache is None:\n return _NO_RESULTS\n if self._cache is not None:\n with self._cache as k:\n res = [x.as_operation() for x in k.values()]\n k.clear()\n k.out_deque.clear()\n return res\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(self, req):
if self._cache is None:
return None
if not isinstance(req, sc_messages.ServicecontrolServicesReportRequest):
raise ValueError(u'Invalid request')
if req.serviceName != self.service_name:
_logger.error(u'bad report(): service_name %s does not match ours %s',
req.serviceName, self.service_name)
raise ValueError(u'Service name mismatch')
report_req = req.reportRequest
if report_req is None:
_logger.error(u'bad report(): no report_request in %s', req)
raise ValueError(u'Expected report_request not set')
if _has_high_important_operation(report_req) or self._cache is None:
return None
ops_by_signature = _key_by_signature(report_req.operations, _sign_operation
)
with self._cache as cache:
for key, op in ops_by_signature.items():
agg = cache.get(key)
if agg is None:
cache[key] = operation.Aggregator(op, self._kinds)
else:
agg.add(op)
return self.CACHED_OK
|
report
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n if self._cache is None:\n return None\n if not isinstance(req, sc_messages.ServicecontrolServicesReportRequest):\n raise ValueError(u'Invalid request')\n if req.serviceName != self.service_name:\n _logger.error(u'bad report(): service_name %s does not match ours %s',\n req.serviceName, self.service_name)\n raise ValueError(u'Service name mismatch')\n report_req = req.reportRequest\n if report_req is None:\n _logger.error(u'bad report(): no report_request in %s', req)\n raise ValueError(u'Expected report_request not set')\n if _has_high_important_operation(report_req) or self._cache is None:\n return None\n ops_by_signature = _key_by_signature(report_req.operations, _sign_operation\n )\n with self._cache as cache:\n for key, op in ops_by_signature.items():\n agg = cache.get(key)\n if agg is None:\n cache[key] = operation.Aggregator(op, self._kinds)\n else:\n agg.add(op)\n return self.CACHED_OK\n",
"role": "user"
},
{
"content": "report",
"role": "assistant"
}
] |
def x(allocate_quota_response, project_id):
if (not allocate_quota_response or not allocate_quota_response.
allocateErrors):
return _IS_OK
theError = allocate_quota_response.allocateErrors[0]
error_tuple = _QUOTA_ERROR_CONVERSION.get(theError.code, _IS_UNKNOWN)
if error_tuple[1].find(u'{') == -1:
return error_tuple
updated_msg = error_tuple[1].format(project_id=project_id, detail=
theError.description or u'')
return error_tuple[0], updated_msg
|
convert_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(allocate_quota_response, project_id):\n if (not allocate_quota_response or not allocate_quota_response.\n allocateErrors):\n return _IS_OK\n theError = allocate_quota_response.allocateErrors[0]\n error_tuple = _QUOTA_ERROR_CONVERSION.get(theError.code, _IS_UNKNOWN)\n if error_tuple[1].find(u'{') == -1:\n return error_tuple\n updated_msg = error_tuple[1].format(project_id=project_id, detail=\n theError.description or u'')\n return error_tuple[0], updated_msg\n",
"role": "user"
},
{
"content": "convert_response",
"role": "assistant"
}
] |
def x(allocate_quota_request):
if not isinstance(allocate_quota_request, sc_messages.AllocateQuotaRequest
):
raise ValueError(u'Invalid request')
op = allocate_quota_request.allocateOperation
if op is None or op.methodName is None or op.consumerId is None:
logging.error(u'Bad %s: not initialized => not signed',
allocate_quota_request)
raise ValueError(
u'allocate_quota request must be initialized with an operation')
md5 = hashlib.md5()
md5.update(op.methodName.encode('utf-8'))
md5.update(b'\x00')
md5.update(op.consumerId.encode('utf-8'))
if op.labels:
signing.add_dict_to_hash(md5, encoding.MessageToPyValue(op.labels))
for value_set in op.quotaMetrics:
md5.update(b'\x00')
md5.update(value_set.metricName.encode('utf-8'))
for mv in value_set.metricValues:
metric_value.update_hash(md5, mv)
md5.update(b'\x00')
return md5.digest()
|
sign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(allocate_quota_request):\n if not isinstance(allocate_quota_request, sc_messages.AllocateQuotaRequest\n ):\n raise ValueError(u'Invalid request')\n op = allocate_quota_request.allocateOperation\n if op is None or op.methodName is None or op.consumerId is None:\n logging.error(u'Bad %s: not initialized => not signed',\n allocate_quota_request)\n raise ValueError(\n u'allocate_quota request must be initialized with an operation')\n md5 = hashlib.md5()\n md5.update(op.methodName.encode('utf-8'))\n md5.update(b'\\x00')\n md5.update(op.consumerId.encode('utf-8'))\n if op.labels:\n signing.add_dict_to_hash(md5, encoding.MessageToPyValue(op.labels))\n for value_set in op.quotaMetrics:\n md5.update(b'\\x00')\n md5.update(value_set.metricName.encode('utf-8'))\n for mv in value_set.metricValues:\n metric_value.update_hash(md5, mv)\n md5.update(b'\\x00')\n return md5.digest()\n",
"role": "user"
},
{
"content": "sign",
"role": "assistant"
}
] |
def x(self, timer=datetime.utcnow):
if not self.service_name:
raise ValueError(u'the service name must be set')
if not self.operation_id:
raise ValueError(u'the operation id must be set')
if not self.operation_name:
raise ValueError(u'the operation name must be set')
op = super(Info, self).as_operation(timer=timer)
labels = {}
if self.client_ip:
labels[_KNOWN_LABELS.SCC_CALLER_IP.label_name] = self.client_ip
if self.referer:
labels[_KNOWN_LABELS.SCC_REFERER.label_name] = self.referer
qop = sc_messages.QuotaOperation(operationId=op.operationId, methodName
=op.operationName, consumerId=op.consumerId, quotaMode=sc_messages.
QuotaOperation.QuotaModeValueValuesEnum.BEST_EFFORT)
qop.labels = encoding.PyValueToMessage(sc_messages.QuotaOperation.
LabelsValue, labels)
quota_info = self.quota_info if self.quota_info else {}
qop.quotaMetrics = [sc_messages.MetricValueSet(metricName=name,
metricValues=[sc_messages.MetricValue(int64Value=cost)]) for name,
cost in quota_info.items()]
allocate_quota_request = sc_messages.AllocateQuotaRequest(allocateOperation
=qop)
if self.config_id:
allocate_quota_request.serviceConfigId = self.config_id
return sc_messages.ServicecontrolServicesAllocateQuotaRequest(serviceName
=self.service_name, allocateQuotaRequest=allocate_quota_request)
|
as_allocate_quota_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timer=datetime.utcnow):\n if not self.service_name:\n raise ValueError(u'the service name must be set')\n if not self.operation_id:\n raise ValueError(u'the operation id must be set')\n if not self.operation_name:\n raise ValueError(u'the operation name must be set')\n op = super(Info, self).as_operation(timer=timer)\n labels = {}\n if self.client_ip:\n labels[_KNOWN_LABELS.SCC_CALLER_IP.label_name] = self.client_ip\n if self.referer:\n labels[_KNOWN_LABELS.SCC_REFERER.label_name] = self.referer\n qop = sc_messages.QuotaOperation(operationId=op.operationId, methodName\n =op.operationName, consumerId=op.consumerId, quotaMode=sc_messages.\n QuotaOperation.QuotaModeValueValuesEnum.BEST_EFFORT)\n qop.labels = encoding.PyValueToMessage(sc_messages.QuotaOperation.\n LabelsValue, labels)\n quota_info = self.quota_info if self.quota_info else {}\n qop.quotaMetrics = [sc_messages.MetricValueSet(metricName=name,\n metricValues=[sc_messages.MetricValue(int64Value=cost)]) for name,\n cost in quota_info.items()]\n allocate_quota_request = sc_messages.AllocateQuotaRequest(allocateOperation\n =qop)\n if self.config_id:\n allocate_quota_request.serviceConfigId = self.config_id\n return sc_messages.ServicecontrolServicesAllocateQuotaRequest(serviceName\n =self.service_name, allocateQuotaRequest=allocate_quota_request)\n",
"role": "user"
},
{
"content": "as_allocate_quota_request",
"role": "assistant"
}
] |
def x(self):
if self._cache is None:
return []
with self._cache as c, self._out as out:
c.expire()
now = self._timer()
for item in c.values():
if not self._in_flush_all and not self._should_expire(item):
if not item.is_in_flight and item._op_aggregator is not None:
item.is_in_flight = True
item.last_refresh_timestamp = now
out.append(item.extract_request())
flushed_items = list(out)
out.clear()
for req in flushed_items:
assert isinstance(req, sc_messages.
ServicecontrolServicesAllocateQuotaRequest)
return flushed_items
|
flush
|
[
{
"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._cache is None:\n return []\n with self._cache as c, self._out as out:\n c.expire()\n now = self._timer()\n for item in c.values():\n if not self._in_flush_all and not self._should_expire(item):\n if not item.is_in_flight and item._op_aggregator is not None:\n item.is_in_flight = True\n item.last_refresh_timestamp = now\n out.append(item.extract_request())\n flushed_items = list(out)\n out.clear()\n for req in flushed_items:\n assert isinstance(req, sc_messages.\n ServicecontrolServicesAllocateQuotaRequest)\n return flushed_items\n",
"role": "user"
},
{
"content": "flush",
"role": "assistant"
}
] |
def x(self):
if self._cache is not None:
with self._cache as c, self._out as out:
self.in_flush_all = True
c.clear()
out.clear()
self.in_flush_all = False
|
clear
|
[
{
"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._cache is not None:\n with self._cache as c, self._out as out:\n self.in_flush_all = True\n c.clear()\n out.clear()\n self.in_flush_all = False\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(self, req, resp):
if self._cache is None:
return
signature = sign(req.allocateQuotaRequest)
with self._cache as c:
now = self._timer()
item = c.get(signature)
if item is None:
c[signature] = CachedItem(req, resp, self.service_name, now)
else:
item.last_check_time = now
item.response = resp
item.is_in_flight = False
c[signature] = item
|
add_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, resp):\n if self._cache is None:\n return\n signature = sign(req.allocateQuotaRequest)\n with self._cache as c:\n now = self._timer()\n item = c.get(signature)\n if item is None:\n c[signature] = CachedItem(req, resp, self.service_name, now)\n else:\n item.last_check_time = now\n item.response = resp\n item.is_in_flight = False\n c[signature] = item\n",
"role": "user"
},
{
"content": "add_response",
"role": "assistant"
}
] |
def x(app_or_blueprint, fn, context=default_context):
transmute_func = TransmuteFunction(fn, args_not_from_request=['request'])
handler = create_handler(transmute_func, context=context)
get_swagger_spec(app_or_blueprint).add_func(transmute_func, context)
for p in transmute_func.paths:
sanic_path = _convert_to_sanic_path(p)
app_or_blueprint.add_route(handler, sanic_path, methods=list(
transmute_func.methods))
|
add_route
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_or_blueprint, fn, context=default_context):\n transmute_func = TransmuteFunction(fn, args_not_from_request=['request'])\n handler = create_handler(transmute_func, context=context)\n get_swagger_spec(app_or_blueprint).add_func(transmute_func, context)\n for p in transmute_func.paths:\n sanic_path = _convert_to_sanic_path(p)\n app_or_blueprint.add_route(handler, sanic_path, methods=list(\n transmute_func.methods))\n",
"role": "user"
},
{
"content": "add_route",
"role": "assistant"
}
] |
def x(self, desc):
return (self.metric_name == desc.name and self.kind == desc.metricKind and
self.value_type == desc.valueType)
|
matches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, desc):\n return (self.metric_name == desc.name and self.kind == desc.metricKind and\n self.value_type == desc.valueType)\n",
"role": "user"
},
{
"content": "matches",
"role": "assistant"
}
] |
def x(self, info, an_op):
self.update_op_func(self.metric_name, info, an_op)
|
do_operation_update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, info, an_op):\n self.update_op_func(self.metric_name, info, an_op)\n",
"role": "user"
},
{
"content": "do_operation_update",
"role": "assistant"
}
] |
def x(cls, desc):
for m in cls:
if m.matches(desc):
return True
return False
|
is_supported
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, desc):\n for m in cls:\n if m.matches(desc):\n return True\n return False\n",
"role": "user"
},
{
"content": "is_supported",
"role": "assistant"
}
] |
def x(a_hash, a_dict):
if a_dict is None:
return
for k, v in a_dict.items():
a_hash.update(b'\x00' + k.encode('utf-8') + b'\x00' + v.encode('utf-8')
)
|
add_dict_to_hash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_hash, a_dict):\n if a_dict is None:\n return\n for k, v in a_dict.items():\n a_hash.update(b'\\x00' + k.encode('utf-8') + b'\\x00' + v.encode('utf-8')\n )\n",
"role": "user"
},
{
"content": "add_dict_to_hash",
"role": "assistant"
}
] |
def x(app, json_route, html_route):
app.add_route(create_swagger_json_handler(app), json_route, methods=['GET']
)
add_swagger_api_route(app, html_route, json_route)
|
add_swagger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, json_route, html_route):\n app.add_route(create_swagger_json_handler(app), json_route, methods=['GET']\n )\n add_swagger_api_route(app, html_route, json_route)\n",
"role": "user"
},
{
"content": "add_swagger",
"role": "assistant"
}
] |
def x(app, target_route, swagger_json_route):
static_root = get_swagger_static_root()
swagger_body = generate_swagger_html(STATIC_ROOT, swagger_json_route
).encode('utf-8')
async def swagger_ui(request):
return HTTPResponse(body_bytes=swagger_body, content_type='text/html')
bp = Blueprint('swagger')
bp.static(STATIC_ROOT, static_root)
app.add_route(swagger_ui, target_route, methods=['GET'])
app.blueprint(bp)
|
add_swagger_api_route
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, target_route, swagger_json_route):\n static_root = get_swagger_static_root()\n swagger_body = generate_swagger_html(STATIC_ROOT, swagger_json_route\n ).encode('utf-8')\n\n async def swagger_ui(request):\n return HTTPResponse(body_bytes=swagger_body, content_type='text/html')\n bp = Blueprint('swagger')\n bp.static(STATIC_ROOT, static_root)\n app.add_route(swagger_ui, target_route, methods=['GET'])\n app.blueprint(bp)\n",
"role": "user"
},
{
"content": "add_swagger_api_route",
"role": "assistant"
}
] |
def x(app, **kwargs):
spec = get_swagger_spec(app)
_add_blueprint_specs(app, spec)
spec_dict = spec.swagger_definition(**kwargs)
encoded_spec = json.dumps(spec_dict).encode('UTF-8')
async def swagger(request):
return HTTPResponse(body_bytes=encoded_spec, headers={
'Access-Control-Allow-Origin': '*'}, content_type=
'application/json')
return swagger
|
create_swagger_json_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, **kwargs):\n spec = get_swagger_spec(app)\n _add_blueprint_specs(app, spec)\n spec_dict = spec.swagger_definition(**kwargs)\n encoded_spec = json.dumps(spec_dict).encode('UTF-8')\n\n async def swagger(request):\n return HTTPResponse(body_bytes=encoded_spec, headers={\n 'Access-Control-Allow-Origin': '*'}, content_type=\n 'application/json')\n return swagger\n",
"role": "user"
},
{
"content": "create_swagger_json_handler",
"role": "assistant"
}
] |
def x(self, to_fields):
return OrderedDict((k, v if isinstance(v, CompositePart) else
LocalFieldValue(v)) for k, v in (to_fields.items() if isinstance(
to_fields, dict) else zip(to_fields, to_fields)))
|
compute_to_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to_fields):\n return OrderedDict((k, v if isinstance(v, CompositePart) else\n LocalFieldValue(v)) for k, v in (to_fields.items() if isinstance(\n to_fields, dict) else zip(to_fields, to_fields)))\n",
"role": "user"
},
{
"content": "compute_to_fields",
"role": "assistant"
}
] |
def x(self, main_field, for_remote, alias):
lookup_class = for_remote.get_lookup('exact')
return lookup_class(for_remote.get_col(alias), self.value)
|
get_lookup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, main_field, for_remote, alias):\n lookup_class = for_remote.get_lookup('exact')\n return lookup_class(for_remote.get_col(alias), self.value)\n",
"role": "user"
},
{
"content": "get_lookup",
"role": "assistant"
}
] |
def x(self):
length = len(self.fqdn)
if self.fqdn.endswith('.'):
length -= 1
if length > 253:
return False
return bool(self.FQDN_REGEX.match(self.fqdn))
|
is_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n length = len(self.fqdn)\n if self.fqdn.endswith('.'):\n length -= 1\n if length > 253:\n return False\n return bool(self.FQDN_REGEX.match(self.fqdn))\n",
"role": "user"
},
{
"content": "is_valid",
"role": "assistant"
}
] |
def x(self):
if not self.is_valid:
raise ValueError('invalid FQDN `{0}`'.format(self.fqdn))
if self.is_valid_absolute:
return self.fqdn
return '{0}.'.format(self.fqdn)
|
absolute
|
[
{
"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.is_valid:\n raise ValueError('invalid FQDN `{0}`'.format(self.fqdn))\n if self.is_valid_absolute:\n return self.fqdn\n return '{0}.'.format(self.fqdn)\n",
"role": "user"
},
{
"content": "absolute",
"role": "assistant"
}
] |
def x(self):
if not self.is_valid:
raise ValueError('invalid FQDN `{0}`'.format(self.fqdn))
if self.is_valid_absolute:
return self.fqdn[:-1]
return self.fqdn
|
relative
|
[
{
"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.is_valid:\n raise ValueError('invalid FQDN `{0}`'.format(self.fqdn))\n if self.is_valid_absolute:\n return self.fqdn[:-1]\n return self.fqdn\n",
"role": "user"
},
{
"content": "relative",
"role": "assistant"
}
] |
def x():
try:
return len(os.sched_getaffinity(0))
except AttributeError:
pass
import re
try:
with open('/proc/self/status') as f:
status = f.read()
m = re.search('(?m)^Cpus_allowed:\\s*(.*)$', status)
if m:
res = bin(int(m.group(1).replace(',', ''), 16)).count('1')
if res > 0:
return res
except IOError:
pass
try:
import multiprocessing
return multiprocessing.cpu_count()
except (ImportError, NotImplementedError):
return 1
|
available_cpu_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n return len(os.sched_getaffinity(0))\n except AttributeError:\n pass\n import re\n try:\n with open('/proc/self/status') as f:\n status = f.read()\n m = re.search('(?m)^Cpus_allowed:\\\\s*(.*)$', status)\n if m:\n res = bin(int(m.group(1).replace(',', ''), 16)).count('1')\n if res > 0:\n return res\n except IOError:\n pass\n try:\n import multiprocessing\n return multiprocessing.cpu_count()\n except (ImportError, NotImplementedError):\n return 1\n",
"role": "user"
},
{
"content": "available_cpu_count",
"role": "assistant"
}
] |
def x(filename, mode='r', compresslevel=6, threads=None):
if mode in ('r', 'w', 'a'):
mode += 't'
if mode not in ('rt', 'rb', 'wt', 'wb', 'at', 'ab'):
raise ValueError("mode '{0}' not supported".format(mode))
if not _PY3:
mode = mode[0]
filename = fspath(filename)
if not isinstance(filename, basestring):
raise ValueError('the filename must be a string')
if compresslevel not in range(1, 10):
raise ValueError('compresslevel must be between 1 and 9')
if filename == '-':
return _open_stdin_or_out(mode)
elif filename.endswith('.bz2'):
return _open_bz2(filename, mode)
elif filename.endswith('.xz'):
return _open_xz(filename, mode)
elif filename.endswith('.gz'):
return _open_gz(filename, mode, compresslevel, threads)
else:
return open(filename, mode)
|
xopen
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, mode='r', compresslevel=6, threads=None):\n if mode in ('r', 'w', 'a'):\n mode += 't'\n if mode not in ('rt', 'rb', 'wt', 'wb', 'at', 'ab'):\n raise ValueError(\"mode '{0}' not supported\".format(mode))\n if not _PY3:\n mode = mode[0]\n filename = fspath(filename)\n if not isinstance(filename, basestring):\n raise ValueError('the filename must be a string')\n if compresslevel not in range(1, 10):\n raise ValueError('compresslevel must be between 1 and 9')\n if filename == '-':\n return _open_stdin_or_out(mode)\n elif filename.endswith('.bz2'):\n return _open_bz2(filename, mode)\n elif filename.endswith('.xz'):\n return _open_xz(filename, mode)\n elif filename.endswith('.gz'):\n return _open_gz(filename, mode, compresslevel, threads)\n else:\n return open(filename, mode)\n",
"role": "user"
},
{
"content": "xopen",
"role": "assistant"
}
] |
def x(self):
retcode = self.process.poll()
if retcode is not None and retcode != 0:
message = self._stderr.read().strip()
raise IOError(message)
|
raise_if_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n retcode = self.process.poll()\n if retcode is not None and retcode != 0:\n message = self._stderr.read().strip()\n raise IOError(message)\n",
"role": "user"
},
{
"content": "raise_if_error",
"role": "assistant"
}
] |
def x(self, trials=100, strategy=None, parameters=None):
if trials < 1:
raise Exception('MAB.run: Number of trials cannot be less than 1!')
if not strategy:
strategy = 'eps_greedy'
elif strategy not in self.strategies:
raise Exception('MAB,run: Strategy name invalid. Choose from: {}'.
format(', '.join(self.strategies)))
for n in range(trials):
self._run(strategy, parameters)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, trials=100, strategy=None, parameters=None):\n if trials < 1:\n raise Exception('MAB.run: Number of trials cannot be less than 1!')\n if not strategy:\n strategy = 'eps_greedy'\n elif strategy not in self.strategies:\n raise Exception('MAB,run: Strategy name invalid. Choose from: {}'.\n format(', '.join(self.strategies)))\n for n in range(trials):\n self._run(strategy, parameters)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, strategy, parameters=None):
choice = self.run_strategy(strategy, parameters)
self.choices.append(choice)
payout = self.bandits.pull(choice)
if payout is None:
print('Trials exhausted. No more values for bandit', choice)
return None
else:
self.wins[choice] += payout
self.pulls[choice] += 1
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, strategy, parameters=None):\n choice = self.run_strategy(strategy, parameters)\n self.choices.append(choice)\n payout = self.bandits.pull(choice)\n if payout is None:\n print('Trials exhausted. No more values for bandit', choice)\n return None\n else:\n self.wins[choice] += payout\n self.pulls[choice] += 1\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, params=None):
p_success_arms = [np.random.beta(self.wins[i] + 1, self.pulls[i] - self
.wins[i] + 1) for i in range(len(self.wins))]
return np.array(p_success_arms).argmax()
|
bayesian
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params=None):\n p_success_arms = [np.random.beta(self.wins[i] + 1, self.pulls[i] - self\n .wins[i] + 1) for i in range(len(self.wins))]\n return np.array(p_success_arms).argmax()\n",
"role": "user"
},
{
"content": "bayesian",
"role": "assistant"
}
] |
def x(self, params):
if params and type(params) == dict:
eps = params.get('epsilon')
else:
eps = 0.1
r = np.random.rand()
if r < eps:
return np.random.choice(list(set(range(len(self.wins))) - {self.
max_mean()}))
else:
return self.max_mean()
|
eps_greedy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params):\n if params and type(params) == dict:\n eps = params.get('epsilon')\n else:\n eps = 0.1\n r = np.random.rand()\n if r < eps:\n return np.random.choice(list(set(range(len(self.wins))) - {self.\n max_mean()}))\n else:\n return self.max_mean()\n",
"role": "user"
},
{
"content": "eps_greedy",
"role": "assistant"
}
] |
def x(self, params):
default_tau = 0.1
if params and type(params) == dict:
tau = params.get('tau')
try:
float(tau)
except ValueError:
"""slots: softmax: Setting tau to default"""
tau = default_tau
else:
tau = default_tau
if True in (self.pulls < 3):
return np.random.choice(range(len(self.pulls)))
else:
payouts = self.wins / (self.pulls + 0.1)
norm = sum(np.exp(payouts / tau))
ps = np.exp(payouts / tau) / norm
cmf = [sum(ps[:i + 1]) for i in range(len(ps))]
rand = np.random.rand()
found = False
found_i = None
i = 0
while not found:
if rand < cmf[i]:
found_i = i
found = True
else:
i += 1
return found_i
|
softmax
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params):\n default_tau = 0.1\n if params and type(params) == dict:\n tau = params.get('tau')\n try:\n float(tau)\n except ValueError:\n \"\"\"slots: softmax: Setting tau to default\"\"\"\n tau = default_tau\n else:\n tau = default_tau\n if True in (self.pulls < 3):\n return np.random.choice(range(len(self.pulls)))\n else:\n payouts = self.wins / (self.pulls + 0.1)\n norm = sum(np.exp(payouts / tau))\n ps = np.exp(payouts / tau) / norm\n cmf = [sum(ps[:i + 1]) for i in range(len(ps))]\n rand = np.random.rand()\n found = False\n found_i = None\n i = 0\n while not found:\n if rand < cmf[i]:\n found_i = i\n found = True\n else:\n i += 1\n return found_i\n",
"role": "user"
},
{
"content": "softmax",
"role": "assistant"
}
] |
def x(self, params=None):
if True in (self.pulls < 3):
return np.random.choice(range(len(self.pulls)))
else:
n_tot = sum(self.pulls)
payouts = self.wins / (self.pulls + 0.1)
ubcs = payouts + np.sqrt(2 * np.log(n_tot) / self.pulls)
return np.argmax(ubcs)
|
ucb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params=None):\n if True in (self.pulls < 3):\n return np.random.choice(range(len(self.pulls)))\n else:\n n_tot = sum(self.pulls)\n payouts = self.wins / (self.pulls + 0.1)\n ubcs = payouts + np.sqrt(2 * np.log(n_tot) / self.pulls)\n return np.argmax(ubcs)\n",
"role": "user"
},
{
"content": "ucb",
"role": "assistant"
}
] |
def x(self):
if len(self.choices) < 1:
print('slots: No trials run so far.')
return None
else:
return np.argmax(self.wins / (self.pulls + 0.1))
|
best
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.choices) < 1:\n print('slots: No trials run so far.')\n return None\n else:\n return np.argmax(self.wins / (self.pulls + 0.1))\n",
"role": "user"
},
{
"content": "best",
"role": "assistant"
}
] |
def x(self):
if len(self.choices) < 1:
print('slots: No trials run so far.')
return None
else:
return self.wins / (self.pulls + 0.1)
|
est_payouts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.choices) < 1:\n print('slots: No trials run so far.')\n return None\n else:\n return self.wins / (self.pulls + 0.1)\n",
"role": "user"
},
{
"content": "est_payouts",
"role": "assistant"
}
] |
def x(self):
return (sum(self.pulls) * np.max(np.nan_to_num(self.wins / self.pulls)) -
sum(self.wins)) / sum(self.pulls)
|
regret
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return (sum(self.pulls) * np.max(np.nan_to_num(self.wins / self.pulls)) -\n sum(self.wins)) / sum(self.pulls)\n",
"role": "user"
},
{
"content": "regret",
"role": "assistant"
}
] |
def x(self):
if True in (self.pulls < 3):
return False
else:
return self.criteria[self.criterion](self.stop_value)
|
crit_met
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if True in (self.pulls < 3):\n return False\n else:\n return self.criteria[self.criterion](self.stop_value)\n",
"role": "user"
},
{
"content": "crit_met",
"role": "assistant"
}
] |
def x(self, threshold=None):
if not threshold:
return self.regret() <= self.stop_value
elif self.regret() <= threshold:
return True
else:
return False
|
regret_met
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, threshold=None):\n if not threshold:\n return self.regret() <= self.stop_value\n elif self.regret() <= threshold:\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "regret_met",
"role": "assistant"
}
] |
def x(self, bandit=None, payout=None, strategy='eps_greedy', parameters=None):
if bandit is not None and payout is not None:
self.update(bandit=bandit, payout=payout)
else:
raise Exception(
'slots.online_trial: bandit and/or payout value missing.')
if self.crit_met():
return {'new_trial': False, 'choice': self.best(), 'best': self.best()}
else:
return {'new_trial': True, 'choice': self.run_strategy(strategy,
parameters), 'best': self.best()}
|
online_trial
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bandit=None, payout=None, strategy='eps_greedy', parameters=None):\n if bandit is not None and payout is not None:\n self.update(bandit=bandit, payout=payout)\n else:\n raise Exception(\n 'slots.online_trial: bandit and/or payout value missing.')\n if self.crit_met():\n return {'new_trial': False, 'choice': self.best(), 'best': self.best()}\n else:\n return {'new_trial': True, 'choice': self.run_strategy(strategy,\n parameters), 'best': self.best()}\n",
"role": "user"
},
{
"content": "online_trial",
"role": "assistant"
}
] |
def x(self, bandit, payout):
self.choices.append(bandit)
self.pulls[bandit] += 1
self.wins[bandit] += payout
self.bandits.payouts[bandit] += payout
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bandit, payout):\n self.choices.append(bandit)\n self.pulls[bandit] += 1\n self.wins[bandit] += payout\n self.bandits.payouts[bandit] += payout\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, i):
if self.live:
if len(self.payouts[i]) > 0:
return self.payouts[i].pop()
else:
return None
elif np.random.rand() < self.probs[i]:
return self.payouts[i]
else:
return 0.0
|
pull
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i):\n if self.live:\n if len(self.payouts[i]) > 0:\n return self.payouts[i].pop()\n else:\n return None\n elif np.random.rand() < self.probs[i]:\n return self.payouts[i]\n else:\n return 0.0\n",
"role": "user"
},
{
"content": "pull",
"role": "assistant"
}
] |
def x(headers, _filter, data):
_filter = [h.lower() for h in _filter] + [h.upper() for h in _filter]
headers = [h for h in headers if not _filter or h in _filter]
header_widths = [len(h) for h in headers]
for row in data:
for idx in range(len(headers)):
if header_widths[idx] < len(str(row[idx])):
header_widths[idx] = len(str(row[idx]))
formatted_output_parts = ['{{:<{0}}}'.format(hw) for hw in header_widths]
formatted_output = ' '.join(formatted_output_parts)
click.echo(formatted_output.format(*[h.upper() for h in headers]))
for row in data:
click.echo(formatted_output.format(*row))
|
click_table_printer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(headers, _filter, data):\n _filter = [h.lower() for h in _filter] + [h.upper() for h in _filter]\n headers = [h for h in headers if not _filter or h in _filter]\n header_widths = [len(h) for h in headers]\n for row in data:\n for idx in range(len(headers)):\n if header_widths[idx] < len(str(row[idx])):\n header_widths[idx] = len(str(row[idx]))\n formatted_output_parts = ['{{:<{0}}}'.format(hw) for hw in header_widths]\n formatted_output = ' '.join(formatted_output_parts)\n click.echo(formatted_output.format(*[h.upper() for h in headers]))\n for row in data:\n click.echo(formatted_output.format(*row))\n",
"role": "user"
},
{
"content": "click_table_printer",
"role": "assistant"
}
] |
def x(directory, file_list=None):
md5_hash = md5()
if not os.path.exists(directory):
return -1
try:
for subdir, dirs, files in os.walk(directory):
for _file in files:
file_path = os.path.join(subdir, _file)
if file_list is not None and file_path not in file_list:
continue
try:
_file_object = open(file_path, 'rb')
except Exception:
_file_object.close()
return -1
while 1:
buf = _file_object.read(4096)
if not buf:
break
md5_hash.update(md5(buf).hexdigest().encode())
_file_object.close()
except Exception:
return -1
return md5_hash.hexdigest()
|
calculate_hash_of_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(directory, file_list=None):\n md5_hash = md5()\n if not os.path.exists(directory):\n return -1\n try:\n for subdir, dirs, files in os.walk(directory):\n for _file in files:\n file_path = os.path.join(subdir, _file)\n if file_list is not None and file_path not in file_list:\n continue\n try:\n _file_object = open(file_path, 'rb')\n except Exception:\n _file_object.close()\n return -1\n while 1:\n buf = _file_object.read(4096)\n if not buf:\n break\n md5_hash.update(md5(buf).hexdigest().encode())\n _file_object.close()\n except Exception:\n return -1\n return md5_hash.hexdigest()\n",
"role": "user"
},
{
"content": "calculate_hash_of_dir",
"role": "assistant"
}
] |
def x(job_spec, workflow_json):
if 'workflow_workspace' in job_spec:
del job_spec['workflow_workspace']
job_md5_buffer = md5()
job_md5_buffer.update(json.dumps(job_spec).encode('utf-8'))
job_md5_buffer.update(json.dumps(workflow_json).encode('utf-8'))
return job_md5_buffer.hexdigest()
|
calculate_job_input_hash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(job_spec, workflow_json):\n if 'workflow_workspace' in job_spec:\n del job_spec['workflow_workspace']\n job_md5_buffer = md5()\n job_md5_buffer.update(json.dumps(job_spec).encode('utf-8'))\n job_md5_buffer.update(json.dumps(workflow_json).encode('utf-8'))\n return job_md5_buffer.hexdigest()\n",
"role": "user"
},
{
"content": "calculate_job_input_hash",
"role": "assistant"
}
] |
def x(workflow_workspace):
access_times = {}
for subdir, dirs, files in os.walk(workflow_workspace):
for file in files:
file_path = os.path.join(subdir, file)
access_times[file_path] = os.stat(file_path).st_atime
return access_times
|
calculate_file_access_time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workflow_workspace):\n access_times = {}\n for subdir, dirs, files in os.walk(workflow_workspace):\n for file in files:\n file_path = os.path.join(subdir, file)\n access_times[file_path] = os.stat(file_path).st_atime\n return access_times\n",
"role": "user"
},
{
"content": "calculate_file_access_time",
"role": "assistant"
}
] |
def x(output_path, component):
if component == 'reana-server':
file = 'reana_server.json'
elif component == 'reana-workflow-controller':
file = 'reana_workflow_controller.json'
elif component == 'reana-job-controller':
file = 'reana_job_controller.json'
if os.environ.get('REANA_SRCDIR'):
reana_srcdir = os.environ.get('REANA_SRCDIR')
else:
reana_srcdir = os.path.join('..')
try:
reana_commons_specs_path = os.path.join(reana_srcdir,
'reana-commons', 'reana_commons', 'openapi_specifications')
if os.path.exists(reana_commons_specs_path):
if os.path.isfile(output_path):
shutil.copy(output_path, os.path.join(
reana_commons_specs_path, file))
shutil.copy(output_path, os.path.join('docs', 'openapi.json'))
except Exception as e:
click.echo(
"""Something went wrong, could not copy openapi specifications to reana-commons
{0}"""
.format(e))
|
copy_openapi_specs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output_path, component):\n if component == 'reana-server':\n file = 'reana_server.json'\n elif component == 'reana-workflow-controller':\n file = 'reana_workflow_controller.json'\n elif component == 'reana-job-controller':\n file = 'reana_job_controller.json'\n if os.environ.get('REANA_SRCDIR'):\n reana_srcdir = os.environ.get('REANA_SRCDIR')\n else:\n reana_srcdir = os.path.join('..')\n try:\n reana_commons_specs_path = os.path.join(reana_srcdir,\n 'reana-commons', 'reana_commons', 'openapi_specifications')\n if os.path.exists(reana_commons_specs_path):\n if os.path.isfile(output_path):\n shutil.copy(output_path, os.path.join(\n reana_commons_specs_path, file))\n shutil.copy(output_path, os.path.join('docs', 'openapi.json'))\n except Exception as e:\n click.echo(\n \"\"\"Something went wrong, could not copy openapi specifications to reana-commons \n{0}\"\"\"\n .format(e))\n",
"role": "user"
},
{
"content": "copy_openapi_specs",
"role": "assistant"
}
] |
def x(status):
verb = ''
if status.endswith('ing'):
verb = 'is'
elif status.endswith('ed'):
verb = 'has been'
else:
raise ValueError('Unrecognised status {}'.format(status))
return verb
|
get_workflow_status_change_verb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(status):\n verb = ''\n if status.endswith('ing'):\n verb = 'is'\n elif status.endswith('ed'):\n verb = 'has been'\n else:\n raise ValueError('Unrecognised status {}'.format(status))\n return verb\n",
"role": "user"
},
{
"content": "get_workflow_status_change_verb",
"role": "assistant"
}
] |
def x(total=None, running=None, finished=None, failed=None, cached=None):
progress_message = {}
if total:
progress_message['total'] = total
if running:
progress_message['running'] = running
if finished:
progress_message['finished'] = finished
if failed:
progress_message['failed'] = failed
if cached:
progress_message['cached'] = cached
return progress_message
|
build_progress_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(total=None, running=None, finished=None, failed=None, cached=None):\n progress_message = {}\n if total:\n progress_message['total'] = total\n if running:\n progress_message['running'] = running\n if finished:\n progress_message['finished'] = finished\n if failed:\n progress_message['failed'] = failed\n if cached:\n progress_message['cached'] = cached\n return progress_message\n",
"role": "user"
},
{
"content": "build_progress_message",
"role": "assistant"
}
] |
def x(job_spec, job_id, workflow_workspace, workflow_json, result_path):
caching_info_message = {'job_spec': job_spec, 'job_id': job_id,
'workflow_workspace': workflow_workspace, 'workflow_json':
workflow_json, 'result_path': result_path}
return caching_info_message
|
build_caching_info_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(job_spec, job_id, workflow_workspace, workflow_json, result_path):\n caching_info_message = {'job_spec': job_spec, 'job_id': job_id,\n 'workflow_workspace': workflow_workspace, 'workflow_json':\n workflow_json, 'result_path': result_path}\n return caching_info_message\n",
"role": "user"
},
{
"content": "build_caching_info_message",
"role": "assistant"
}
] |
def x(workspace, summarize=False):
command = ['du', '-h']
if summarize:
command.append('-s')
else:
command.append('-a')
command.append(workspace)
disk_usage_info = subprocess.check_output(command).decode().split()
filesize_pairs = list(zip(disk_usage_info[::2], disk_usage_info[1::2]))
filesizes = []
for filesize_pair in filesize_pairs:
size, name = filesize_pair
filesizes.append({'name': name[len(workspace):], 'size': size})
return filesizes
|
get_workspace_disk_usage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workspace, summarize=False):\n command = ['du', '-h']\n if summarize:\n command.append('-s')\n else:\n command.append('-a')\n command.append(workspace)\n disk_usage_info = subprocess.check_output(command).decode().split()\n filesize_pairs = list(zip(disk_usage_info[::2], disk_usage_info[1::2]))\n filesizes = []\n for filesize_pair in filesize_pairs:\n size, name = filesize_pair\n filesizes.append({'name': name[len(workspace):], 'size': size})\n return filesizes\n",
"role": "user"
},
{
"content": "get_workspace_disk_usage",
"role": "assistant"
}
] |
def x(cvmfs_volume):
name = CVMFS_REPOSITORIES[cvmfs_volume]
rendered_template = dict(REANA_CVMFS_PVC_TEMPLATE)
rendered_template['metadata']['name'] = 'csi-cvmfs-{}-pvc'.format(name)
rendered_template['spec']['storageClassName'] = 'csi-cvmfs-{}'.format(name)
return rendered_template
|
render_cvmfs_pvc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cvmfs_volume):\n name = CVMFS_REPOSITORIES[cvmfs_volume]\n rendered_template = dict(REANA_CVMFS_PVC_TEMPLATE)\n rendered_template['metadata']['name'] = 'csi-cvmfs-{}-pvc'.format(name)\n rendered_template['spec']['storageClassName'] = 'csi-cvmfs-{}'.format(name)\n return rendered_template\n",
"role": "user"
},
{
"content": "render_cvmfs_pvc",
"role": "assistant"
}
] |
def x(cvmfs_volume):
name = CVMFS_REPOSITORIES[cvmfs_volume]
rendered_template = dict(REANA_CVMFS_SC_TEMPLATE)
rendered_template['metadata']['name'] = 'csi-cvmfs-{}'.format(name)
rendered_template['parameters']['repository'] = cvmfs_volume
return rendered_template
|
render_cvmfs_sc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cvmfs_volume):\n name = CVMFS_REPOSITORIES[cvmfs_volume]\n rendered_template = dict(REANA_CVMFS_SC_TEMPLATE)\n rendered_template['metadata']['name'] = 'csi-cvmfs-{}'.format(name)\n rendered_template['parameters']['repository'] = cvmfs_volume\n return rendered_template\n",
"role": "user"
},
{
"content": "render_cvmfs_sc",
"role": "assistant"
}
] |
def x(cvmfs_volume):
from kubernetes.client.rest import ApiException
from reana_commons.k8s.api_client import current_k8s_storagev1_api_client
try:
current_k8s_storagev1_api_client.create_storage_class(render_cvmfs_sc
(cvmfs_volume))
except ApiException as e:
if e.status != 409:
raise e
|
create_cvmfs_storage_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cvmfs_volume):\n from kubernetes.client.rest import ApiException\n from reana_commons.k8s.api_client import current_k8s_storagev1_api_client\n try:\n current_k8s_storagev1_api_client.create_storage_class(render_cvmfs_sc\n (cvmfs_volume))\n except ApiException as e:\n if e.status != 409:\n raise e\n",
"role": "user"
},
{
"content": "create_cvmfs_storage_class",
"role": "assistant"
}
] |
def x(cvmfs_volume):
from kubernetes.client.rest import ApiException
from reana_commons.k8s.api_client import current_k8s_corev1_api_client
try:
current_k8s_corev1_api_client.create_namespaced_persistent_volume_claim(
'default', render_cvmfs_pvc(cvmfs_volume))
except ApiException as e:
if e.status != 409:
raise e
|
create_cvmfs_persistent_volume_claim
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cvmfs_volume):\n from kubernetes.client.rest import ApiException\n from reana_commons.k8s.api_client import current_k8s_corev1_api_client\n try:\n current_k8s_corev1_api_client.create_namespaced_persistent_volume_claim(\n 'default', render_cvmfs_pvc(cvmfs_volume))\n except ApiException as e:\n if e.status != 409:\n raise e\n",
"role": "user"
},
{
"content": "create_cvmfs_persistent_volume_claim",
"role": "assistant"
}
] |
def x(api='BatchV1'):
k8s_config.load_incluster_config()
api_configuration = client.Configuration()
api_configuration.verify_ssl = False
if api == 'extensions/v1beta1':
api_client = client.ExtensionsV1beta1Api()
elif api == 'CoreV1':
api_client = client.CoreV1Api()
elif api == 'StorageV1':
api_client = client.StorageV1Api()
else:
api_client = client.BatchV1Api()
return api_client
|
create_api_client
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api='BatchV1'):\n k8s_config.load_incluster_config()\n api_configuration = client.Configuration()\n api_configuration.verify_ssl = False\n if api == 'extensions/v1beta1':\n api_client = client.ExtensionsV1beta1Api()\n elif api == 'CoreV1':\n api_client = client.CoreV1Api()\n elif api == 'StorageV1':\n api_client = client.StorageV1Api()\n else:\n api_client = client.BatchV1Api()\n return api_client\n",
"role": "user"
},
{
"content": "create_api_client",
"role": "assistant"
}
] |
def x(self, exception, interval):
logging.error('Error while publishing {}'.format(exception))
logging.info('Retry in %s seconds.', interval)
|
error_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exception, interval):\n logging.error('Error while publishing {}'.format(exception))\n logging.info('Retry in %s seconds.', interval)\n",
"role": "user"
},
{
"content": "error_callback",
"role": "assistant"
}
] |
def x(self, msg):
connection = self._connection.clone()
publish = connection.ensure(self.producer, self.producer.publish,
errback=self.__error_callback, max_retries=MQ_PRODUCER_MAX_RETRIES)
publish(json.dumps(msg), exchange=self._exchange, routing_key=self.
_routing_key, declare=[self._queue])
logging.debug('Publisher: message sent: %s', msg)
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n connection = self._connection.clone()\n publish = connection.ensure(self.producer, self.producer.publish,\n errback=self.__error_callback, max_retries=MQ_PRODUCER_MAX_RETRIES)\n publish(json.dumps(msg), exchange=self._exchange, routing_key=self.\n _routing_key, declare=[self._queue])\n logging.debug('Publisher: message sent: %s', msg)\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self, workflow_uuid, status, logs='', message=None):
msg = {'workflow_uuid': workflow_uuid, 'logs': logs, 'status': status,
'message': message}
self._publish(msg)
|
publish_workflow_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workflow_uuid, status, logs='', message=None):\n msg = {'workflow_uuid': workflow_uuid, 'logs': logs, 'status': status,\n 'message': message}\n self._publish(msg)\n",
"role": "user"
},
{
"content": "publish_workflow_status",
"role": "assistant"
}
] |
def x(self, user_id, workflow_id_or_name, parameters):
msg = {'user': user_id, 'workflow_id_or_name': workflow_id_or_name,
'parameters': parameters}
self._publish(msg)
|
publish_workflow_submission
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, workflow_id_or_name, parameters):\n msg = {'user': user_id, 'workflow_id_or_name': workflow_id_or_name,\n 'parameters': parameters}\n self._publish(msg)\n",
"role": "user"
},
{
"content": "publish_workflow_submission",
"role": "assistant"
}
] |
def x(workflow_file, specification, parameters=None, original=None):
parameters = parameters or {}
if not specification:
with open(workflow_file, 'r') as f:
specification = json.loads(f.read())
expanded_specification = _expand_parameters(specification, parameters,
original)
validate(specification, serial_workflow_schema)
return expanded_specification
|
serial_load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workflow_file, specification, parameters=None, original=None):\n parameters = parameters or {}\n if not specification:\n with open(workflow_file, 'r') as f:\n specification = json.loads(f.read())\n expanded_specification = _expand_parameters(specification, parameters,\n original)\n validate(specification, serial_workflow_schema)\n return expanded_specification\n",
"role": "user"
},
{
"content": "serial_load",
"role": "assistant"
}
] |
def x(specification, parameters, original=None):
expanded_specification = deepcopy(specification)
try:
for step_num, step in enumerate(expanded_specification['steps']):
current_step = expanded_specification['steps'][step_num]
for command_num, command in enumerate(step['commands']):
current_step['commands'][command_num] = Template(command
).substitute(parameters)
if original:
return specification
else:
return expanded_specification
except KeyError as e:
raise ValidationError(
'Workflow parameter(s) could not be expanded. Please take a look to {params}'
.format(params=str(e)))
|
expand_parameters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(specification, parameters, original=None):\n expanded_specification = deepcopy(specification)\n try:\n for step_num, step in enumerate(expanded_specification['steps']):\n current_step = expanded_specification['steps'][step_num]\n for command_num, command in enumerate(step['commands']):\n current_step['commands'][command_num] = Template(command\n ).substitute(parameters)\n if original:\n return specification\n else:\n return expanded_specification\n except KeyError as e:\n raise ValidationError(\n 'Workflow parameter(s) could not be expanded. Please take a look to {params}'\n .format(params=str(e)))\n",
"role": "user"
},
{
"content": "expand_parameters",
"role": "assistant"
}
] |
def x():
from reana_commons.config import REANA_READY_CONDITIONS
for module_name, condition_list in REANA_READY_CONDITIONS.items():
for condition_name in condition_list:
module = importlib.import_module(module_name)
condition_func = getattr(module, condition_name)
if not condition_func():
return False
return True
|
reana_ready
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from reana_commons.config import REANA_READY_CONDITIONS\n for module_name, condition_list in REANA_READY_CONDITIONS.items():\n for condition_name in condition_list:\n module = importlib.import_module(module_name)\n condition_func = getattr(module, condition_name)\n if not condition_func():\n return False\n return True\n",
"role": "user"
},
{
"content": "reana_ready",
"role": "assistant"
}
] |
def x():
try:
node_info = current_k8s_corev1_api_client.list_node()
for node in node_info.items:
for condition in node.status.conditions:
if not condition.status:
return False
except ApiException as e:
log.error('Something went wrong while getting node information.')
log.error(e)
return False
return True
|
check_predefined_conditions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n node_info = current_k8s_corev1_api_client.list_node()\n for node in node_info.items:\n for condition in node.status.conditions:\n if not condition.status:\n return False\n except ApiException as e:\n log.error('Something went wrong while getting node information.')\n log.error(e)\n return False\n return True\n",
"role": "user"
},
{
"content": "check_predefined_conditions",
"role": "assistant"
}
] |
def x():
try:
job_list = current_k8s_batchv1_api_client.list_job_for_all_namespaces()
if len(job_list.items) > K8S_MAXIMUM_CONCURRENT_JOBS:
return False
except ApiException as e:
log.error('Something went wrong while getting running job list.')
log.error(e)
return False
return True
|
check_running_job_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n job_list = current_k8s_batchv1_api_client.list_job_for_all_namespaces()\n if len(job_list.items) > K8S_MAXIMUM_CONCURRENT_JOBS:\n return False\n except ApiException as e:\n log.error('Something went wrong while getting running job list.')\n log.error(e)\n return False\n return True\n",
"role": "user"
},
{
"content": "check_running_job_count",
"role": "assistant"
}
] |
def x(self, spec_file):
spec_file_path = os.path.join(pkg_resources.resource_filename(
'reana_commons', 'openapi_specifications'), spec_file)
with open(spec_file_path) as f:
json_spec = json.load(f)
return json_spec
|
get_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spec_file):\n spec_file_path = os.path.join(pkg_resources.resource_filename(\n 'reana_commons', 'openapi_specifications'), spec_file)\n with open(spec_file_path) as f:\n json_spec = json.load(f)\n return json_spec\n",
"role": "user"
},
{
"content": "get_spec",
"role": "assistant"
}
] |
def x(self, workflow_uuid='', experiment='', image='', cmd='',
prettified_cmd='', workflow_workspace='', job_name='', cvmfs_mounts='false'
):
job_spec = {'experiment': experiment, 'docker_img': image, 'cmd': cmd,
'prettified_cmd': prettified_cmd, 'env_vars': {},
'workflow_workspace': workflow_workspace, 'job_name': job_name,
'cvmfs_mounts': cvmfs_mounts, 'workflow_uuid': workflow_uuid}
response, http_response = self._client.jobs.create_job(job=job_spec
).result()
if http_response.status_code == 400:
raise HTTPBadRequest('Bad request to create a job. Error: {}'.
format(http_response.data))
elif http_response.status_code == 500:
raise HTTPInternalServerError('Internal Server Error. Error: {}'.
format(http_response.data))
return response
|
submit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workflow_uuid='', experiment='', image='', cmd='',\n prettified_cmd='', workflow_workspace='', job_name='', cvmfs_mounts='false'\n ):\n job_spec = {'experiment': experiment, 'docker_img': image, 'cmd': cmd,\n 'prettified_cmd': prettified_cmd, 'env_vars': {},\n 'workflow_workspace': workflow_workspace, 'job_name': job_name,\n 'cvmfs_mounts': cvmfs_mounts, 'workflow_uuid': workflow_uuid}\n response, http_response = self._client.jobs.create_job(job=job_spec\n ).result()\n if http_response.status_code == 400:\n raise HTTPBadRequest('Bad request to create a job. Error: {}'.\n format(http_response.data))\n elif http_response.status_code == 500:\n raise HTTPInternalServerError('Internal Server Error. Error: {}'.\n format(http_response.data))\n return response\n",
"role": "user"
},
{
"content": "submit",
"role": "assistant"
}
] |
def x(self, job_id):
response, http_response = self._client.jobs.get_job(job_id=job_id).result()
if http_response.status_code == 404:
raise HTTPNotFound('The given job ID was not found. Error: {}'.
format(http_response.data))
return response
|
check_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n response, http_response = self._client.jobs.get_job(job_id=job_id).result()\n if http_response.status_code == 404:\n raise HTTPNotFound('The given job ID was not found. Error: {}'.\n format(http_response.data))\n return response\n",
"role": "user"
},
{
"content": "check_status",
"role": "assistant"
}
] |
def x(self, job_id):
response, http_response = self._client.jobs.get_logs(job_id=job_id).result(
)
if http_response.status_code == 404:
raise HTTPNotFound('The given job ID was not found. Error: {}'.
format(http_response.data))
return http_response.text
|
get_logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n response, http_response = self._client.jobs.get_logs(job_id=job_id).result(\n )\n if http_response.status_code == 404:\n raise HTTPNotFound('The given job ID was not found. Error: {}'.\n format(http_response.data))\n return http_response.text\n",
"role": "user"
},
{
"content": "get_logs",
"role": "assistant"
}
] |
def x(self, job_spec, step, workflow_workspace):
response, http_response = self._client.job_cache.check_if_cached(job_spec
=json.dumps(job_spec), workflow_json=json.dumps(step),
workflow_workspace=workflow_workspace).result()
if http_response.status_code == 400:
raise HTTPBadRequest('Bad request to check cache. Error: {}'.format
(http_response.data))
elif http_response.status_code == 500:
raise HTTPInternalServerError('Internal Server Error. Error: {}'.
format(http_response.data))
return http_response
|
check_if_cached
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_spec, step, workflow_workspace):\n response, http_response = self._client.job_cache.check_if_cached(job_spec\n =json.dumps(job_spec), workflow_json=json.dumps(step),\n workflow_workspace=workflow_workspace).result()\n if http_response.status_code == 400:\n raise HTTPBadRequest('Bad request to check cache. Error: {}'.format\n (http_response.data))\n elif http_response.status_code == 500:\n raise HTTPInternalServerError('Internal Server Error. Error: {}'.\n format(http_response.data))\n return http_response\n",
"role": "user"
},
{
"content": "check_if_cached",
"role": "assistant"
}
] |
def x(workflow_workspace, shared_volume_root):
workflow_workspace_relative_to_owner = workflow_workspace
if os.path.isabs(workflow_workspace):
workflow_workspace_relative_to_owner = os.path.relpath(
workflow_workspace, shared_volume_root)
mount_path = os.path.join(shared_volume_root,
workflow_workspace_relative_to_owner)
volume_mount = {'name': REANA_SHARED_VOLUME_NAME, 'mountPath':
mount_path, 'subPath': workflow_workspace_relative_to_owner}
if REANA_STORAGE_BACKEND == 'CEPHFS':
volume = get_k8s_cephfs_volume()
else:
volume = get_k8s_hostpath_volume(shared_volume_root)
return volume_mount, volume
|
get_shared_volume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workflow_workspace, shared_volume_root):\n workflow_workspace_relative_to_owner = workflow_workspace\n if os.path.isabs(workflow_workspace):\n workflow_workspace_relative_to_owner = os.path.relpath(\n workflow_workspace, shared_volume_root)\n mount_path = os.path.join(shared_volume_root,\n workflow_workspace_relative_to_owner)\n volume_mount = {'name': REANA_SHARED_VOLUME_NAME, 'mountPath':\n mount_path, 'subPath': workflow_workspace_relative_to_owner}\n if REANA_STORAGE_BACKEND == 'CEPHFS':\n volume = get_k8s_cephfs_volume()\n else:\n volume = get_k8s_hostpath_volume(shared_volume_root)\n return volume_mount, volume\n",
"role": "user"
},
{
"content": "get_shared_volume",
"role": "assistant"
}
] |
def x(level, domain, message, data):
domain = ffi.string(domain).decode()
message = ffi.string(message).decode()
logger = LOGGER.getChild(domain)
if level not in LOG_LEVELS:
return
logger.log(LOG_LEVELS[level], message)
|
logging_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(level, domain, message, data):\n domain = ffi.string(domain).decode()\n message = ffi.string(message).decode()\n logger = LOGGER.getChild(domain)\n if level not in LOG_LEVELS:\n return\n logger.log(LOG_LEVELS[level], message)\n",
"role": "user"
},
{
"content": "logging_callback",
"role": "assistant"
}
] |
def x(self, name, cache_key, local_path, remote_path, local_options,
remote_options, **kwargs):
local = import_attribute(local_path)(**local_options)
remote = import_attribute(remote_path)(**remote_options)
result = self.transfer(name, local, remote, **kwargs)
if result is True:
cache.set(cache_key, True)
file_transferred.send(sender=self.__class__, name=name, local=local,
remote=remote)
elif result is False:
args = [name, cache_key, local_path, remote_path, local_options,
remote_options]
self.retry(args=args, kwargs=kwargs)
else:
raise ValueError("Task '%s' did not return True/False but %s" % (
self.__class__, result))
return result
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, cache_key, local_path, remote_path, local_options,\n remote_options, **kwargs):\n local = import_attribute(local_path)(**local_options)\n remote = import_attribute(remote_path)(**remote_options)\n result = self.transfer(name, local, remote, **kwargs)\n if result is True:\n cache.set(cache_key, True)\n file_transferred.send(sender=self.__class__, name=name, local=local,\n remote=remote)\n elif result is False:\n args = [name, cache_key, local_path, remote_path, local_options,\n remote_options]\n self.retry(args=args, kwargs=kwargs)\n else:\n raise ValueError(\"Task '%s' did not return True/False but %s\" % (\n self.__class__, result))\n return result\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, name, local, remote, **kwargs):
try:
remote.save(name, local.open(name))
return True
except Exception as e:
logger.error(
"Unable to save '%s' to remote storage. About to retry." % name)
logger.exception(e)
return False
|
transfer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, local, remote, **kwargs):\n try:\n remote.save(name, local.open(name))\n return True\n except Exception as e:\n logger.error(\n \"Unable to save '%s' to remote storage. About to retry.\" % name)\n logger.exception(e)\n return False\n",
"role": "user"
},
{
"content": "transfer",
"role": "assistant"
}
] |
def x(cfunc, *args):
cstr = get_ctype('const char**', cfunc, *args)
return backend.ffi.string(cstr).decode() if cstr else None
|
get_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cfunc, *args):\n cstr = get_ctype('const char**', cfunc, *args)\n return backend.ffi.string(cstr).decode() if cstr else None\n",
"role": "user"
},
{
"content": "get_string",
"role": "assistant"
}
] |
def x(rtype, cfunc, *args):
val_p = backend.ffi.new(rtype)
args = args + (val_p,)
cfunc(*args)
return val_p[0]
|
get_ctype
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rtype, cfunc, *args):\n val_p = backend.ffi.new(rtype)\n args = args + (val_p,)\n cfunc(*args)\n return val_p[0]\n",
"role": "user"
},
{
"content": "get_ctype",
"role": "assistant"
}
] |
def x(typename):
obj_p = backend.ffi.new('{0}**'.format(typename))
backend.CONSTRUCTORS[typename](obj_p)
return obj_p[0]
|
new_gp_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(typename):\n obj_p = backend.ffi.new('{0}**'.format(typename))\n backend.CONSTRUCTORS[typename](obj_p)\n return obj_p[0]\n",
"role": "user"
},
{
"content": "new_gp_object",
"role": "assistant"
}
] |
def x():
version_str = ffi.string(lib.gp_library_version(True)[0]).decode()
return tuple(int(x) for x in version_str.split('.'))
|
get_library_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n version_str = ffi.string(lib.gp_library_version(True)[0]).decode()\n return tuple(int(x) for x in version_str.split('.'))\n",
"role": "user"
},
{
"content": "get_library_version",
"role": "assistant"
}
] |
def x():
ctx = lib.gp_context_new()
camlist_p = new_gp_object('CameraList')
port_list_p = new_gp_object('GPPortInfoList')
lib.gp_port_info_list_load(port_list_p)
abilities_list_p = new_gp_object('CameraAbilitiesList')
lib.gp_abilities_list_load(abilities_list_p, ctx)
lib.gp_abilities_list_detect(abilities_list_p, port_list_p, camlist_p, ctx)
out = []
for idx in range(lib.gp_list_count(camlist_p)):
name = get_string(lib.gp_list_get_name, camlist_p, idx)
value = get_string(lib.gp_list_get_value, camlist_p, idx)
matches = re.match('usb:(\\d+),(\\d+)', value)
if not matches:
continue
bus_no, device_no = (int(x) for x in matches.groups())
abilities = ffi.new('CameraAbilities*')
ability_idx = lib.gp_abilities_list_lookup_model(abilities_list_p,
name.encode())
lib.gp_abilities_list_get_abilities(abilities_list_p, ability_idx,
abilities)
if abilities.device_type == lib.GP_DEVICE_STILL_CAMERA:
out.append(Camera(bus_no, device_no, lazy=True, _abilities=
abilities))
lib.gp_list_free(camlist_p)
lib.gp_port_info_list_free(port_list_p)
lib.gp_abilities_list_free(abilities_list_p)
return out
|
list_cameras
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ctx = lib.gp_context_new()\n camlist_p = new_gp_object('CameraList')\n port_list_p = new_gp_object('GPPortInfoList')\n lib.gp_port_info_list_load(port_list_p)\n abilities_list_p = new_gp_object('CameraAbilitiesList')\n lib.gp_abilities_list_load(abilities_list_p, ctx)\n lib.gp_abilities_list_detect(abilities_list_p, port_list_p, camlist_p, ctx)\n out = []\n for idx in range(lib.gp_list_count(camlist_p)):\n name = get_string(lib.gp_list_get_name, camlist_p, idx)\n value = get_string(lib.gp_list_get_value, camlist_p, idx)\n matches = re.match('usb:(\\\\d+),(\\\\d+)', value)\n if not matches:\n continue\n bus_no, device_no = (int(x) for x in matches.groups())\n abilities = ffi.new('CameraAbilities*')\n ability_idx = lib.gp_abilities_list_lookup_model(abilities_list_p,\n name.encode())\n lib.gp_abilities_list_get_abilities(abilities_list_p, ability_idx,\n abilities)\n if abilities.device_type == lib.GP_DEVICE_STILL_CAMERA:\n out.append(Camera(bus_no, device_no, lazy=True, _abilities=\n abilities))\n lib.gp_list_free(camlist_p)\n lib.gp_port_info_list_free(port_list_p)\n lib.gp_abilities_list_free(abilities_list_p)\n return out\n",
"role": "user"
},
{
"content": "list_cameras",
"role": "assistant"
}
] |
def x():
ctx = lib.gp_context_new()
abilities_list_p = new_gp_object('CameraAbilitiesList')
lib.gp_abilities_list_load(abilities_list_p, ctx)
abilities = ffi.new('CameraAbilities*')
out = []
for idx in range(lib.gp_abilities_list_count(abilities_list_p)):
lib.gp_abilities_list_get_abilities(abilities_list_p, idx, abilities)
if abilities.device_type == lib.GP_DEVICE_STILL_CAMERA:
libname = os.path.basename(ffi.string(abilities.library).decode())
out.append((ffi.string(abilities.model).decode(), libname))
lib.gp_abilities_list_free(abilities_list_p)
key_func = lambda name, driver: driver
out = sorted(out, key=key_func)
return {k: tuple(x[0] for x in v) for k, v in itertools.groupby(out,
key_func)}
return out
|
supported_cameras
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ctx = lib.gp_context_new()\n abilities_list_p = new_gp_object('CameraAbilitiesList')\n lib.gp_abilities_list_load(abilities_list_p, ctx)\n abilities = ffi.new('CameraAbilities*')\n out = []\n for idx in range(lib.gp_abilities_list_count(abilities_list_p)):\n lib.gp_abilities_list_get_abilities(abilities_list_p, idx, abilities)\n if abilities.device_type == lib.GP_DEVICE_STILL_CAMERA:\n libname = os.path.basename(ffi.string(abilities.library).decode())\n out.append((ffi.string(abilities.model).decode(), libname))\n lib.gp_abilities_list_free(abilities_list_p)\n key_func = lambda name, driver: driver\n out = sorted(out, key=key_func)\n return {k: tuple(x[0] for x in v) for k, v in itertools.groupby(out,\n key_func)}\n return out\n",
"role": "user"
},
{
"content": "supported_cameras",
"role": "assistant"
}
] |
def x(self):
self.camera._get_config()['actions']['movie'].set(False)
self.videofile = self.camera._wait_for_event(event_type=lib.
GP_EVENT_FILE_ADDED)
if self._old_captarget != 'Memory card':
self.camera.config['settings']['capturetarget'].set(self._old_captarget
)
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.camera._get_config()['actions']['movie'].set(False)\n self.videofile = self.camera._wait_for_event(event_type=lib.\n GP_EVENT_FILE_ADDED)\n if self._old_captarget != 'Memory card':\n self.camera.config['settings']['capturetarget'].set(self._old_captarget\n )\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self):
if self.parent is None:
return '/'
else:
return os.path.join(self.parent.path, self.name)
|
path
|
[
{
"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.parent is None:\n return '/'\n else:\n return os.path.join(self.parent.path, self.name)\n",
"role": "user"
},
{
"content": "path",
"role": "assistant"
}
] |
def x(self):
return tuple(op for op in backend.DIR_OPS if self._dir_ops & op)
|
supported_operations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return tuple(op for op in backend.DIR_OPS if self._dir_ops & op)\n",
"role": "user"
},
{
"content": "supported_operations",
"role": "assistant"
}
] |
def x(self):
if self.name in ('', '/') and self.parent is None:
return True
else:
return self in self.parent.directories
|
exists
|
[
{
"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.name in ('', '/') and self.parent is None:\n return True\n else:\n return self in self.parent.directories\n",
"role": "user"
},
{
"content": "exists",
"role": "assistant"
}
] |
def x(self):
filelist_p = new_gp_object('CameraList')
lib.gp_camera_folder_list_files(self._cam._cam, self.path.encode(),
filelist_p, self._cam._ctx)
for idx in range(lib.gp_list_count(filelist_p)):
fname = get_string(lib.gp_list_get_name, filelist_p, idx)
yield File(name=fname, directory=self, camera=self._cam)
lib.gp_list_free(filelist_p)
|
files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filelist_p = new_gp_object('CameraList')\n lib.gp_camera_folder_list_files(self._cam._cam, self.path.encode(),\n filelist_p, self._cam._ctx)\n for idx in range(lib.gp_list_count(filelist_p)):\n fname = get_string(lib.gp_list_get_name, filelist_p, idx)\n yield File(name=fname, directory=self, camera=self._cam)\n lib.gp_list_free(filelist_p)\n",
"role": "user"
},
{
"content": "files",
"role": "assistant"
}
] |
def x(self):
dirlist_p = new_gp_object('CameraList')
lib.gp_camera_folder_list_folders(self._cam._cam, self.path.encode(),
dirlist_p, self._cam._ctx)
for idx in range(lib.gp_list_count(dirlist_p)):
name = os.path.join(self.path, get_string(lib.gp_list_get_name,
dirlist_p, idx))
yield Directory(name=name, parent=self, camera=self._cam)
lib.gp_list_free(dirlist_p)
|
directories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dirlist_p = new_gp_object('CameraList')\n lib.gp_camera_folder_list_folders(self._cam._cam, self.path.encode(),\n dirlist_p, self._cam._ctx)\n for idx in range(lib.gp_list_count(dirlist_p)):\n name = os.path.join(self.path, get_string(lib.gp_list_get_name,\n dirlist_p, idx))\n yield Directory(name=name, parent=self, camera=self._cam)\n lib.gp_list_free(dirlist_p)\n",
"role": "user"
},
{
"content": "directories",
"role": "assistant"
}
] |
def x(self):
lib.gp_camera_folder_make_dir(self._cam._cam, self.parent.path.encode(),
self.name.encode(), self._cam._ctx)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n lib.gp_camera_folder_make_dir(self._cam._cam, self.parent.path.encode(),\n self.name.encode(), self._cam._ctx)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self):
lib.gp_camera_folder_remove_dir(self._cam._cam, self.parent.path.encode
(), self.name.encode(), self._cam._ctx)
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n lib.gp_camera_folder_remove_dir(self._cam._cam, self.parent.path.encode\n (), self.name.encode(), self._cam._ctx)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, local_path):
camerafile_p = ffi.new('CameraFile**')
with open(local_path, 'rb') as fp:
lib.gp_file_new_from_fd(camerafile_p, fp.fileno())
lib.gp_camera_folder_put_file(self._cam._cam, self.path.encode() +
b'/', os.path.basename(local_path).encode(), backend.FILE_TYPES
['normal'], camerafile_p[0], self._cam.ctx)
|
upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, local_path):\n camerafile_p = ffi.new('CameraFile**')\n with open(local_path, 'rb') as fp:\n lib.gp_file_new_from_fd(camerafile_p, fp.fileno())\n lib.gp_camera_folder_put_file(self._cam._cam, self.path.encode() +\n b'/', os.path.basename(local_path).encode(), backend.FILE_TYPES\n ['normal'], camerafile_p[0], self._cam.ctx)\n",
"role": "user"
},
{
"content": "upload",
"role": "assistant"
}
] |
def x(self):
return tuple(op for op in backend.FILE_OPS if self._operations & op)
|
supported_operations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return tuple(op for op in backend.FILE_OPS if self._operations & op)\n",
"role": "user"
},
{
"content": "supported_operations",
"role": "assistant"
}
] |
def x(self):
return ImageDimensions(self._info.file.width, self._info.file.height)
|
dimensions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return ImageDimensions(self._info.file.width, self._info.file.height)\n",
"role": "user"
},
{
"content": "dimensions",
"role": "assistant"
}
] |
def x(self):
can_read = self._info.file.permissions & lib.GP_FILE_PERM_READ
can_write = self._info.file.permissions & lib.GP_FILE_PERM_DELETE
return '{0}{1}'.format('r' if can_read else '-', 'w' if can_write else '-')
|
permissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n can_read = self._info.file.permissions & lib.GP_FILE_PERM_READ\n can_write = self._info.file.permissions & lib.GP_FILE_PERM_DELETE\n return '{0}{1}'.format('r' if can_read else '-', 'w' if can_write else '-')\n",
"role": "user"
},
{
"content": "permissions",
"role": "assistant"
}
] |
def x(self, target_path, ftype='normal'):
camfile_p = ffi.new('CameraFile**')
with open(target_path, 'wb') as fp:
lib.gp_file_new_from_fd(camfile_p, fp.fileno())
lib.gp_camera_file_get(self._cam._cam, self.directory.path.encode(),
self.name.encode(), backend.FILE_TYPES[ftype], camfile_p[0],
self._cam._ctx)
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_path, ftype='normal'):\n camfile_p = ffi.new('CameraFile**')\n with open(target_path, 'wb') as fp:\n lib.gp_file_new_from_fd(camfile_p, fp.fileno())\n lib.gp_camera_file_get(self._cam._cam, self.directory.path.encode(),\n self.name.encode(), backend.FILE_TYPES[ftype], camfile_p[0],\n self._cam._ctx)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, ftype='normal'):
camfile_p = ffi.new('CameraFile**')
lib.gp_file_new(camfile_p)
lib.gp_camera_file_get(self._cam._cam, self.directory.path.encode(),
self.name.encode(), backend.FILE_TYPES[ftype], camfile_p[0], self.
_cam._ctx)
data_p = ffi.new('char**')
length_p = ffi.new('unsigned long*')
lib.gp_file_get_data_and_size(camfile_p[0], data_p, length_p)
byt = bytes(ffi.buffer(data_p[0], length_p[0]))
lib.gp_file_free(camfile_p[0])
del data_p, length_p, camfile_p
return byt
|
get_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ftype='normal'):\n camfile_p = ffi.new('CameraFile**')\n lib.gp_file_new(camfile_p)\n lib.gp_camera_file_get(self._cam._cam, self.directory.path.encode(),\n self.name.encode(), backend.FILE_TYPES[ftype], camfile_p[0], self.\n _cam._ctx)\n data_p = ffi.new('char**')\n length_p = ffi.new('unsigned long*')\n lib.gp_file_get_data_and_size(camfile_p[0], data_p, length_p)\n byt = bytes(ffi.buffer(data_p[0], length_p[0]))\n lib.gp_file_free(camfile_p[0])\n del data_p, length_p, camfile_p\n return byt\n",
"role": "user"
},
{
"content": "get_data",
"role": "assistant"
}
] |
def x(self, chunk_size=2 ** 16, ftype='normal'):
self._check_type_supported(ftype)
buf_p = ffi.new('char[{0}]'.format(chunk_size))
size_p = ffi.new('uint64_t*')
offset_p = ffi.new('uint64_t*')
for chunk_idx in range(int(math.ceil(self.size / chunk_size))):
size_p[0] = chunk_size
lib.gp_camera_file_read(self._cam._cam, self.directory.path.encode(
), self.name.encode(), backend.FILE_TYPES[ftype], offset_p[0],
buf_p, size_p, self._cam._ctx)
yield ffi.buffer(buf_p, size_p[0])[:]
|
iter_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chunk_size=2 ** 16, ftype='normal'):\n self._check_type_supported(ftype)\n buf_p = ffi.new('char[{0}]'.format(chunk_size))\n size_p = ffi.new('uint64_t*')\n offset_p = ffi.new('uint64_t*')\n for chunk_idx in range(int(math.ceil(self.size / chunk_size))):\n size_p[0] = chunk_size\n lib.gp_camera_file_read(self._cam._cam, self.directory.path.encode(\n ), self.name.encode(), backend.FILE_TYPES[ftype], offset_p[0],\n buf_p, size_p, self._cam._ctx)\n yield ffi.buffer(buf_p, size_p[0])[:]\n",
"role": "user"
},
{
"content": "iter_data",
"role": "assistant"
}
] |
def x(self):
lib.gp_camera_file_delete(self._cam._cam, self.directory.path.encode(),
self.name.encode(), self._cam._ctx)
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n lib.gp_camera_file_delete(self._cam._cam, self.directory.path.encode(),\n self.name.encode(), self._cam._ctx)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, value):
if self.readonly:
raise ValueError('Option is read-only.')
val_p = None
if self.type == 'selection':
if value not in self.choices:
raise ValueError('Invalid choice (valid: {0})'.format(repr(self
.choices)))
val_p = ffi.new('const char[]', value.encode())
elif self.type == 'text':
if not isinstance(value, basestring):
raise ValueError('Value must be a string.')
val_p = ffi.new('char**')
val_p[0] = ffi.new('char[]', value.encode())
elif self.type == 'range':
if value < self.range.min or value > self.range.max:
raise ValueError('Value exceeds valid range ({0}-{1}.'.format(
self.range.min, self.range.max))
if value % self.range.step:
raise ValueError('Value can only be changed in steps of {0}.'.
format(self.range.step))
val_p = ffi.new('float*')
val_p[0] = value
elif self.type == 'toggle':
if not isinstance(value, bool):
raise ValueError('Value must be bool.')
val_p = ffi.new('int*')
val_p[0] = int(value)
elif self.type == 'date':
val_p = ffi.new('int*')
val_p[0] = value
lib.gp_widget_set_value(self._widget, val_p)
lib.gp_camera_set_config(self._cam._cam, self._root, self._cam._ctx)
self.value = value
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if self.readonly:\n raise ValueError('Option is read-only.')\n val_p = None\n if self.type == 'selection':\n if value not in self.choices:\n raise ValueError('Invalid choice (valid: {0})'.format(repr(self\n .choices)))\n val_p = ffi.new('const char[]', value.encode())\n elif self.type == 'text':\n if not isinstance(value, basestring):\n raise ValueError('Value must be a string.')\n val_p = ffi.new('char**')\n val_p[0] = ffi.new('char[]', value.encode())\n elif self.type == 'range':\n if value < self.range.min or value > self.range.max:\n raise ValueError('Value exceeds valid range ({0}-{1}.'.format(\n self.range.min, self.range.max))\n if value % self.range.step:\n raise ValueError('Value can only be changed in steps of {0}.'.\n format(self.range.step))\n val_p = ffi.new('float*')\n val_p[0] = value\n elif self.type == 'toggle':\n if not isinstance(value, bool):\n raise ValueError('Value must be bool.')\n val_p = ffi.new('int*')\n val_p[0] = int(value)\n elif self.type == 'date':\n val_p = ffi.new('int*')\n val_p[0] = value\n lib.gp_widget_set_value(self._widget, val_p)\n lib.gp_camera_set_config(self._cam._cam, self._root, self._cam._ctx)\n self.value = value\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.