source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(format, s=None, collapseWhitespace=True):
if s is None:
s = sys.stdin
if hasattr(s, 'readline'):
s = s.readline()
format_re, casts = scanf_compile(format, collapseWhitespace)
found = format_re.search(s)
if found:
groups = found.groups()
return tuple([casts[i](groups[i]) for i in range(len(groups))])
| scanf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(format, s=None, collapseWhitespace=True):\n if s is None:\n s = sys.stdin\n if hasattr(s, 'readline'):\n s = s.readline()\n format_re, c... |
def x(pattern, text=None, filepath=None):
y = []
if text is None:
textsource = open(filepath, 'r')
else:
textsource = text.splitlines()
for line in textsource:
match = scanf(pattern, line)
if match:
if len(y) == 0:
y = [[s] for s in match]
else:
for i, ydata in enumerate(y):
ydata.append(match[i])
if text is None:
textsource.close()
return y
| extractdata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, text=None, filepath=None):\n y = []\n if text is None:\n textsource = open(filepath, 'r')\n else:\n textsource = text.splitline... |
def x(self, nation_name, password=None, autologin=None):
return Nation(nation_name, self, password=password, autologin=autologin)
| nation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nation_name, password=None, autologin=None):\n return Nation(nation_name, self, password=password, autologin=autologin)\n",
"role": "user"
},
... |
def x(self, chamber):
if isinstance(chamber, int):
chamber = str(chamber)
return WorldAssembly(chamber, self)
| wa | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chamber):\n if isinstance(chamber, int):\n chamber = str(chamber)\n return WorldAssembly(chamber, self)\n",
"role": "user"
},
{
... |
def x(self, client_key=None, tgid=None, key=None):
return Telegram(self, client_key, tgid, key)
| telegram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, client_key=None, tgid=None, key=None):\n return Telegram(self, client_key, tgid, key)\n",
"role": "user"
},
{
"content": "telegram",
"... |
def x(diffs):
pass
if isinstance(diffs, patch.diff):
diffs = [diffs]
for diff in diffs:
if diff.header.old_path == '/dev/null':
text = []
else:
with open(diff.header.old_path) as f:
text = f.read()
new_text = apply_diff(diff, text)
with open(diff.header.new_path, 'w') as f:
f.write(new_text)
| apply_patch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(diffs):\n pass\n if isinstance(diffs, patch.diff):\n diffs = [diffs]\n for diff in diffs:\n if diff.header.old_path == '/dev/null':\n ... |
def x(jwt):
parts = jwt.split('.')
if len(parts) == 3:
token_type = JWS
elif len(parts) == 5:
token_type = JWE
else:
raise Error('Malformed JWT')
return token_type(*parts)
| deserialize_compact | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jwt):\n parts = jwt.split('.')\n if len(parts) == 3:\n token_type = JWS\n elif len(parts) == 5:\n token_type = JWE\n else:\n r... |
def x(claims, jwk, adata='', add_header=None, alg='RSA-OAEP', enc=
'A128CBC-HS256', rng=get_random_bytes, compression=None):
claims = deepcopy(claims)
assert _TEMP_VER_KEY not in claims
claims[_TEMP_VER_KEY] = _TEMP_VER
header = dict((add_header or {}).items() + [(HEADER_ENC, enc), (
HEADER_ALG, alg)])
assert _TEMP_VER_KEY not in header
header[_TEMP_VER_KEY] = claims[_TEMP_VER_KEY]
plaintext = json_encode(claims)
if compression is not None:
header[HEADER_ZIP] = compression
try:
compress, _ = COMPRESSION[compression]
except KeyError:
raise Error('Unsupported compression algorithm: {}'.format(
compression))
plaintext = compress(plaintext)
((cipher, _), key_size), ((hash_fn, _), hash_mod) = JWA[enc]
iv = rng(AES.block_size)
encryption_key = rng(hash_mod.digest_size)
ciphertext = cipher(plaintext, encryption_key[-hash_mod.digest_size / 2
:], iv)
hash = hash_fn(_jwe_hash_str(ciphertext, iv, adata), encryption_key[:-
hash_mod.digest_size / 2], hash_mod)
(cipher, _), _ = JWA[alg]
encryption_key_ciphertext = cipher(encryption_key, jwk)
return JWE(*map(b64encode_url, (json_encode(header),
encryption_key_ciphertext, iv, ciphertext, auth_tag(hash))))
| encrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(claims, jwk, adata='', add_header=None, alg='RSA-OAEP', enc=\n 'A128CBC-HS256', rng=get_random_bytes, compression=None):\n claims = deepcopy(claims)\n ... |
def x(claims, jwk, add_header=None, alg='RSA-OAEP', enc='A128CBC-HS256',
rng=get_random_bytes):
header = dict((add_header or {}).items() + [(HEADER_ENC, enc), (
HEADER_ALG, alg)])
protected_header = json_encode(header)
mac_key, enc_key = _generate_encryption_keys(enc, rng)
encrypted_key = _encrypt_key(mac_key + enc_key, jwk, alg)
iv = _generate_iv(enc, rng)
plaintext = json_encode(claims)
if HEADER_ZIP in header:
try:
compression_func, _ = COMPRESSION[header[HEADER_ZIP]]
except KeyError:
raise Error('Unsupported compression algorithm: {}'.format(
header[HEADER_ZIP]))
M = compression_func(plaintext)
else:
M = plaintext
((cipher, _), key_len), _ = JWA[enc]
ciphertext = cipher(M, enc_key, iv)
authentication_tag = _generate_authentication_tag(mac_key,
protected_header, ciphertext, iv, enc)
return JWE(*map(b64encode_url, (protected_header, encrypted_key, iv,
ciphertext, authentication_tag)))
| spec_compliant_encrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(claims, jwk, add_header=None, alg='RSA-OAEP', enc='A128CBC-HS256',\n rng=get_random_bytes):\n header = dict((add_header or {}).items() + [(HEADER_ENC, en... |
def x(jwe, jwk, adata='', validate_claims=True, expiry_seconds=None):
protected_header, encrypted_key, iv, ciphertext, authentication_tag = map(
b64decode_url, jwe)
header = json_decode(protected_header)
alg = header[HEADER_ALG]
enc = header[HEADER_ENC]
encryption_key = _decrypt_key(encrypted_key, jwk, alg)
((_, decipher), _), ((hash_fn, _), mod) = JWA[enc]
version = header.get(_TEMP_VER_KEY)
if version:
plaintext = decipher(ciphertext, encryption_key[-mod.digest_size /
2:], iv)
hash = hash_fn(_jwe_hash_str(ciphertext, iv, adata, version),
encryption_key[:-mod.digest_size / 2], mod=mod)
else:
plaintext = decipher(ciphertext, encryption_key[:-mod.digest_size], iv)
hash = hash_fn(_jwe_hash_str(ciphertext, iv, adata, version),
encryption_key[-mod.digest_size:], mod=mod)
if not const_compare(auth_tag(hash), authentication_tag):
raise Error('Mismatched authentication tags')
if HEADER_ZIP in header:
try:
_, decompress = COMPRESSION[header[HEADER_ZIP]]
except KeyError:
raise Error('Unsupported compression algorithm: {}'.format(
header[HEADER_ZIP]))
plaintext = decompress(plaintext)
claims = json_decode(plaintext)
try:
del claims[_TEMP_VER_KEY]
except KeyError:
pass
_validate(claims, validate_claims, expiry_seconds)
return JWT(header, claims)
| legacy_decrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jwe, jwk, adata='', validate_claims=True, expiry_seconds=None):\n protected_header, encrypted_key, iv, ciphertext, authentication_tag = map(\n b64dec... |
def x(jwe, jwk, validate_claims=True, expiry_seconds=None):
protected_header, encrypted_key, iv, ciphertext, authentication_tag = map(
b64decode_url, jwe)
header = json_decode(protected_header)
if not _verify_header(header):
raise Error('Header is invalid')
alg = header[HEADER_ALG]
enc = header[HEADER_ENC]
encryption_key = _decrypt_key(encrypted_key, jwk, alg)
mac_key, enc_key = _parse_encryption_keys(encryption_key, enc)
expected_tag = _generate_authentication_tag(mac_key, json_encode(header
), ciphertext, iv, enc)
if not const_compare(expected_tag, authentication_tag):
raise Error('Mismatched authentication tags')
((_, decipher), _), _ = JWA[enc]
M = decipher(ciphertext, enc_key, iv)
if HEADER_ZIP in header:
try:
_, decompress = COMPRESSION[header[HEADER_ZIP]]
except KeyError:
raise Error('Unsupported compression algorithm: {}'.format(
header[HEADER_ZIP]))
plaintext = decompress(M)
else:
plaintext = M
claims = json_decode(plaintext)
_validate(claims, validate_claims, expiry_seconds)
return JWT(header, claims)
| spec_compliant_decrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jwe, jwk, validate_claims=True, expiry_seconds=None):\n protected_header, encrypted_key, iv, ciphertext, authentication_tag = map(\n b64decode_url, j... |
def x(*args, **kwargs):
try:
return legacy_decrypt(*args, **kwargs)
except (NotYetValid, Expired) as e:
raise e
except (Error, ValueError) as e:
return spec_compliant_decrypt(*args, **kwargs)
| decrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n try:\n return legacy_decrypt(*args, **kwargs)\n except (NotYetValid, Expired) as e:\n raise e\n except (Error, Value... |
def x(claims, jwk, add_header=None, alg='HS256'):
(hash_fn, _), mod = JWA[alg]
header = dict((add_header or {}).items() + [(HEADER_ALG, alg)])
header, payload = map(b64encode_url, map(json_encode, (header, claims)))
sig = b64encode_url(hash_fn(_jws_hash_str(header, payload), jwk['k'],
mod=mod))
return JWS(header, payload, sig)
| sign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(claims, jwk, add_header=None, alg='HS256'):\n (hash_fn, _), mod = JWA[alg]\n header = dict((add_header or {}).items() + [(HEADER_ALG, alg)])\n header,... |
def x(jws, jwk, alg, validate_claims=True, expiry_seconds=None):
header, payload, sig = map(b64decode_url, jws)
header = json_decode(header)
if alg != header[HEADER_ALG]:
raise Error('Invalid algorithm')
(_, verify_fn), mod = JWA[header[HEADER_ALG]]
if not verify_fn(_jws_hash_str(jws.header, jws.payload), jwk['k'], sig,
mod=mod):
raise Error('Mismatched signatures')
claims = json_decode(b64decode_url(jws.payload))
_validate(claims, validate_claims, expiry_seconds)
return JWT(header, claims)
| verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jws, jwk, alg, validate_claims=True, expiry_seconds=None):\n header, payload, sig = map(b64decode_url, jws)\n header = json_decode(header)\n if alg !=... |
def x(istr):
istr = encode_safe(istr)
try:
return urlsafe_b64decode(istr + '=' * (4 - len(istr) % 4))
except TypeError as e:
raise Error('Unable to decode base64: %s' % e)
| b64decode_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(istr):\n istr = encode_safe(istr)\n try:\n return urlsafe_b64decode(istr + '=' * (4 - len(istr) % 4))\n except TypeError as e:\n raise E... |
def x(claims, validate_claims, expiry_seconds):
if not validate_claims:
return
now = time()
try:
expiration_time = claims[CLAIM_EXPIRATION_TIME]
except KeyError:
pass
else:
_check_expiration_time(now, expiration_time)
try:
issued_at = claims[CLAIM_ISSUED_AT]
except KeyError:
pass
else:
if expiry_seconds is not None:
_check_expiration_time(now, issued_at + expiry_seconds)
try:
not_before = claims[CLAIM_NOT_BEFORE]
except KeyError:
pass
else:
_check_not_before(now, not_before)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(claims, validate_claims, expiry_seconds):\n if not validate_claims:\n return\n now = time()\n try:\n expiration_time = claims[CLAIM_EXPI... |
def x(key, gauge=None, default=float('nan'), **dims):
return global_registry().gauge(key, gauge=gauge, default=default, **dims)
| gauge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, gauge=None, default=float('nan'), **dims):\n return global_registry().gauge(key, gauge=gauge, default=default, **dims)\n",
"role": "user"
},
{
... |
def x(**dims):
def x(fn):
@functools.wraps(fn)
def x(*args, **kwargs):
counter('%s_calls' % pyformance.registry.get_qualname(fn), **dims
).inc()
return fn(*args, **kwargs)
return fn_wrapper
return counter_wrapper
| count_calls_with_dims | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**dims):\n\n def x(fn):\n\n @functools.wraps(fn)\n def x(*args, **kwargs):\n counter('%s_calls' % pyformance.registry.get_qualname(... |
def x(**dims):
def x(fn):
@functools.wraps(fn)
def x(*args, **kwargs):
meter('%s_calls' % pyformance.registry.get_qualname(fn), **dims
).mark()
return fn(*args, **kwargs)
return fn_wrapper
return meter_wrapper
| meter_calls_with_dims | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**dims):\n\n def x(fn):\n\n @functools.wraps(fn)\n def x(*args, **kwargs):\n meter('%s_calls' % pyformance.registry.get_qualname(fn... |
def x(fn):
@functools.wraps(fn)
def x(*args, **kwargs):
_histogram = histogram('%s_calls' % pyformance.registry.
get_qualname(fn))
rtn = fn(*args, **kwargs)
if type(rtn) in (int, float):
_histogram.add(rtn)
return rtn
return wrapper
| hist_calls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n\n @functools.wraps(fn)\n def x(*args, **kwargs):\n _histogram = histogram('%s_calls' % pyformance.registry.\n get_qualname(fn))\... |
def x(**dims):
def x(fn):
@functools.wraps(fn)
def x(*args, **kwargs):
_histogram = histogram('%s_calls' % pyformance.registry.
get_qualname(fn), **dims)
rtn = fn(*args, **kwargs)
if type(rtn) in (int, float):
_histogram.add(rtn)
return rtn
return fn_wrapper
return hist_wrapper
| hist_calls_with_dims | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**dims):\n\n def x(fn):\n\n @functools.wraps(fn)\n def x(*args, **kwargs):\n _histogram = histogram('%s_calls' % pyformance.registr... |
def x(**dims):
def x(fn):
@functools.wraps(fn)
def x(*args, **kwargs):
_timer = timer('%s_calls' % pyformance.registry.get_qualname(fn
), **dims)
with _timer.time(fn=pyformance.registry.get_qualname(fn)):
return fn(*args, **kwargs)
return fn_wrapper
return time_wrapper
| time_calls_with_dims | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**dims):\n\n def x(fn):\n\n @functools.wraps(fn)\n def x(*args, **kwargs):\n _timer = timer('%s_calls' % pyformance.registry.get_qu... |
def x(self, key, metric, **dims):
return super(MetricsRegistry, self).add(self.metadata.register(key, **
dims), metric)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, metric, **dims):\n return super(MetricsRegistry, self).add(self.metadata.register(key, **\n dims), metric)\n",
"role": "user"
},
{... |
def x(self, key, **dims):
return super(MetricsRegistry, self).counter(self.metadata.register(key,
**dims))
| counter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **dims):\n return super(MetricsRegistry, self).counter(self.metadata.register(key,\n **dims))\n",
"role": "user"
},
{
"content... |
def x(self, key, **dims):
return super(MetricsRegistry, self).histogram(self.metadata.register(
key, **dims))
| histogram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **dims):\n return super(MetricsRegistry, self).histogram(self.metadata.register(\n key, **dims))\n",
"role": "user"
},
{
"cont... |
def x(self, key, gauge=None, default=float('nan'), **dims):
return super(MetricsRegistry, self).gauge(self.metadata.register(key,
**dims), gauge=gauge, default=default)
| gauge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, gauge=None, default=float('nan'), **dims):\n return super(MetricsRegistry, self).gauge(self.metadata.register(key,\n **dims), gauge=gauge,... |
def x(self, key, **dims):
return super(MetricsRegistry, self).meter(self.metadata.register(key,
**dims))
| meter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **dims):\n return super(MetricsRegistry, self).meter(self.metadata.register(key,\n **dims))\n",
"role": "user"
},
{
"content":... |
def x(self, key, **dims):
return super(MetricsRegistry, self).timer(self.metadata.register(key,
**dims))
| timer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **dims):\n return super(MetricsRegistry, self).timer(self.metadata.register(key,\n **dims))\n",
"role": "user"
},
{
"content":... |
def x(self, key, **dims):
return super(RegexRegistry, self).timer(self._get_key(key), **dims)
| timer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **dims):\n return super(RegexRegistry, self).timer(self._get_key(key), **dims)\n",
"role": "user"
},
{
"content": "timer",
"role"... |
def x(self, key, **dims):
return super(RegexRegistry, self).histogram(self._get_key(key), **dims)
| histogram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **dims):\n return super(RegexRegistry, self).histogram(self._get_key(key), **dims)\n",
"role": "user"
},
{
"content": "histogram",
... |
def x(self, key, **dims):
return super(RegexRegistry, self).counter(self._get_key(key), **dims)
| counter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **dims):\n return super(RegexRegistry, self).counter(self._get_key(key), **dims)\n",
"role": "user"
},
{
"content": "counter",
"r... |
def x(self, key, gauge=None, default=float('nan'), **dims):
return super(RegexRegistry, self).gauge(self._get_key(key), gauge=gauge,
default=default, **dims)
| gauge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, gauge=None, default=float('nan'), **dims):\n return super(RegexRegistry, self).gauge(self._get_key(key), gauge=gauge,\n default=default, *... |
def x(self, key, **dims):
return super(RegexRegistry, self).meter(self._get_key(key), **dims)
| meter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **dims):\n return super(RegexRegistry, self).meter(self._get_key(key), **dims)\n",
"role": "user"
},
{
"content": "meter",
"role"... |
def x(self, dimension_names):
with self._lock:
for dimension in dimension_names:
if dimension in self._extra_dimensions:
del self._extra_dimensions[dimension]
| remove_dimensions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dimension_names):\n with self._lock:\n for dimension in dimension_names:\n if dimension in self._extra_dimensions:\n ... |
def x(self, cumulative_counters=None, gauges=None, counters=None):
if not gauges and not cumulative_counters and not counters:
return
data = {'cumulative_counter': cumulative_counters, 'gauge': gauges,
'counter': counters}
_logger.debug('Sending datapoints to SignalFx: %s', data)
for metric_type, datapoints in data.items():
if not datapoints:
continue
if not isinstance(datapoints, list):
raise TypeError('Datapoints not of type list %s', datapoints)
for datapoint in datapoints:
self._add_extra_dimensions(datapoint)
self._add_to_queue(metric_type, datapoint)
self._start_thread()
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cumulative_counters=None, gauges=None, counters=None):\n if not gauges and not cumulative_counters and not counters:\n return\n data = {'cum... |
def x(self, event_type, category=None, dimensions=None, properties=None,
timestamp=None):
if category and category not in SUPPORTED_EVENT_CATEGORIES:
raise ValueError('Event category is not one of the supported' +
'types: {' + ', '.join(SUPPORTED_EVENT_CATEGORIES) + '}')
data = {'eventType': event_type, 'category': category, 'dimensions':
dimensions or {}, 'properties': properties or {}, 'timestamp': int(
timestamp) if timestamp else None}
_logger.debug('Sending event to SignalFx: %s', data)
self._add_extra_dimensions(data)
return self._send_event(event_data=data, url='{0}/{1}'.format(self.
_endpoint, self._INGEST_ENDPOINT_EVENT_SUFFIX), session=self._session)
| send_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_type, category=None, dimensions=None, properties=None,\n timestamp=None):\n if category and category not in SUPPORTED_EVENT_CATEGORIES:\n ... |
def x(self, msg='Thread stopped'):
with self._lock:
if not self._thread_running:
return
self._thread_running = False
self._queue.put(_BaseSignalFxIngestClient._QUEUE_STOP)
self._send_thread.join()
_logger.debug(msg)
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg='Thread stopped'):\n with self._lock:\n if not self._thread_running:\n return\n self._thread_running = False\n self._q... |
def x(self, pbuf_obj, value, _bool=True, _float=True, _integer=True,
_string=True, error_prefix=''):
if isinstance(value, bool) and _bool is True:
pbuf_obj.value.boolValue = value
elif isinstance(value, six.integer_types) and not isinstance(value, bool
) and _integer is True:
if value < INTEGER_MIN or value > INTEGER_MAX:
raise ValueError(
'{}: {} exceeds signed 64 bit integer range as defined by ProtocolBuffers ({} to {})'
.format(error_prefix, str(value), str(INTEGER_MIN), str(
INTEGER_MAX)))
pbuf_obj.value.intValue = value
elif isinstance(value, float) and _float is True:
pbuf_obj.value.doubleValue = value
elif isinstance(value, six.string_types) and _string is True:
pbuf_obj.value.strValue = value
else:
raise ValueError('{}: {} is of invalid type {}'.format(error_prefix,
str(value), str(type(value))))
| assign_value_by_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pbuf_obj, value, _bool=True, _float=True, _integer=True,\n _string=True, error_prefix=''):\n if isinstance(value, bool) and _bool is True:\n ... |
def x(self, pbuf_dp, value):
self._assign_value_by_type(pbuf_dp, value, _bool=False, error_prefix=
'Invalid value')
| assign_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pbuf_dp, value):\n self._assign_value_by_type(pbuf_dp, value, _bool=False, error_prefix=\n 'Invalid value')\n",
"role": "user"
},
{
... |
def x(self):
iterator = iter(self._stream)
while self._state < Computation.STATE_COMPLETED:
try:
message = next(iterator)
except StopIteration:
if self._state < Computation.STATE_COMPLETED:
self._stream = self._execute()
iterator = iter(self._stream)
continue
if isinstance(message, messages.StreamStartMessage):
self._state = Computation.STATE_STREAM_STARTED
continue
if isinstance(message, messages.JobStartMessage):
self._state = Computation.STATE_COMPUTATION_STARTED
self._id = message.handle
yield message
continue
if isinstance(message, messages.JobProgressMessage):
yield message
continue
if isinstance(message, messages.ChannelAbortMessage):
self._state = Computation.STATE_ABORTED
raise errors.ComputationAborted(message.abort_info)
if isinstance(message, messages.EndOfChannelMessage):
self._state = Computation.STATE_COMPLETED
continue
if isinstance(message, messages.MetadataMessage):
self._metadata[message.tsid] = message.properties
yield message
continue
if isinstance(message, messages.ExpiredTsIdMessage):
if message.tsid in self._metadata:
del self._metadata[message.tsid]
yield message
continue
if isinstance(message, messages.InfoMessage):
self._process_info_message(message.message)
self._batch_count_detected = True
if self._current_batch_message:
yield self._get_batch_to_yield()
continue
if isinstance(message, messages.DataMessage):
self._state = Computation.STATE_DATA_RECEIVED
if not self._batch_count_detected:
self._expected_batches += 1
if not self._current_batch_message:
self._current_batch_message = message
self._current_batch_count = 1
elif message.logical_timestamp_ms == self._current_batch_message.logical_timestamp_ms:
self._current_batch_message.add_data(message.data)
self._current_batch_count += 1
else:
self._batch_count_detected = True
if (self._batch_count_detected and self._current_batch_count ==
self._expected_batches):
yield self._get_batch_to_yield()
continue
if isinstance(message, messages.EventMessage):
yield message
continue
if isinstance(message, messages.ErrorMessage):
raise errors.ComputationFailed(message.errors)
if self._current_batch_message:
yield self._get_batch_to_yield()
| stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n iterator = iter(self._stream)\n while self._state < Computation.STATE_COMPLETED:\n try:\n message = next(iterator)\n ex... |
def x(self, message):
if message['messageCode'] == 'JOB_RUNNING_RESOLUTION':
self._resolution = message['contents']['resolutionMs']
elif message['messageCode'] == 'FETCH_NUM_TIMESERIES':
self._num_input_timeseries += int(message['numInputTimeSeries'])
| process_info_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if message['messageCode'] == 'JOB_RUNNING_RESOLUTION':\n self._resolution = message['contents']['resolutionMs']\n elif message['... |
def x(self, program, start=None, stop=None, resolution=None, max_delay=None,
persistent=False, immediate=False, disable_all_metric_publishes=None):
params = self._get_params(start=start, stop=stop, resolution=resolution,
maxDelay=max_delay, persistent=persistent, immediate=immediate,
disableAllMetricPublishes=disable_all_metric_publishes)
def x(since=None):
if since:
params['start'] = since
return self._transport.execute(program, params)
c = computation.Computation(exec_fn)
self._computations.add(c)
return c
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, program, start=None, stop=None, resolution=None, max_delay=None,\n persistent=False, immediate=False, disable_all_metric_publishes=None):\n params ... |
def x(self, program, start, stop, resolution=None, max_delay=None):
params = self._get_params(start=start, stop=stop, resolution=resolution,
maxDelay=max_delay)
def x(since=None):
if since:
params['start'] = since
return self._transport.preflight(program, params)
c = computation.Computation(exec_fn)
self._computations.add(c)
return c
| preflight | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, program, start, stop, resolution=None, max_delay=None):\n params = self._get_params(start=start, stop=stop, resolution=resolution,\n maxDelay=m... |
def x(self, program, start=None, stop=None, resolution=None, max_delay=None):
params = self._get_params(start=start, stop=stop, resolution=resolution,
maxDelay=max_delay)
self._transport.start(program, params)
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, program, start=None, stop=None, resolution=None, max_delay=None):\n params = self._get_params(start=start, stop=stop, resolution=resolution,\n ... |
def x(self, handle, filters=None, resolution=None):
params = self._get_params(filters=filters, resolution=resolution)
c = computation.Computation(lambda since: self._transport.attach(handle,
params))
self._computations.add(c)
return c
| attach | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, filters=None, resolution=None):\n params = self._get_params(filters=filters, resolution=resolution)\n c = computation.Computation(lambda si... |
def x(self, handle, reason=None):
params = self._get_params(reason=reason)
self._transport.stop(handle, params)
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, reason=None):\n params = self._get_params(reason=reason)\n self._transport.stop(handle, params)\n",
"role": "user"
},
{
"conten... |
def x(self, metadata_endpoint, query, order_by=None, offset=None, limit=
None, timeout=None):
_logger.debug('Performing an elasticsearch for %(qry)s at %(pt)s', {
'qry': query, 'pt': metadata_endpoint})
url_to_get = '{0}?query={1}'.format(self._u(metadata_endpoint), query)
if order_by is not None:
url_to_get += '&orderBy=' + order_by
if offset is not None:
url_to_get += '&offset=' + str(offset)
if limit is not None:
url_to_get += '&limit=' + str(limit)
timeout = timeout or self._timeout
resp = self._get(url_to_get, session=self._session, timeout=timeout)
resp.raise_for_status()
return resp.json()
| search_metrics_and_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metadata_endpoint, query, order_by=None, offset=None, limit=\n None, timeout=None):\n _logger.debug('Performing an elasticsearch for %(qry)s at %(p... |
def x(self, object_endpoint, object_name, timeout=None):
timeout = timeout or self._timeout
resp = self._get(self._u(object_endpoint, object_name), session=self.
_session, timeout=timeout)
resp.raise_for_status()
return resp.json()
| get_object_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object_endpoint, object_name, timeout=None):\n timeout = timeout or self._timeout\n resp = self._get(self._u(object_endpoint, object_name), session... |
def x(self, *args, **kwargs):
return self._search_metrics_and_metadata(self._METRIC_ENDPOINT_SUFFIX,
*args, **kwargs)
| search_metrics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._search_metrics_and_metadata(self._METRIC_ENDPOINT_SUFFIX,\n *args, **kwargs)\n",
"role": "user"
},
{
... |
def x(self, metric_name, **kwargs):
return self._get_object_by_name(self._METRIC_ENDPOINT_SUFFIX,
metric_name, **kwargs)
| get_metric_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metric_name, **kwargs):\n return self._get_object_by_name(self._METRIC_ENDPOINT_SUFFIX,\n metric_name, **kwargs)\n",
"role": "user"
},
... |
def x(self, metric_name, metric_type, description=None, custom_properties=
None, tags=None, **kwargs):
data = {'type': metric_type.upper(), 'description': description or '',
'customProperties': custom_properties or {}, 'tags': tags or []}
resp = self._put(self._u(self._METRIC_ENDPOINT_SUFFIX, str(metric_name)
), data=data, **kwargs)
resp.raise_for_status()
return resp.json()
| update_metric_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metric_name, metric_type, description=None, custom_properties=\n None, tags=None, **kwargs):\n data = {'type': metric_type.upper(), 'description': ... |
def x(self, *args, **kwargs):
return self._search_metrics_and_metadata(self.
_DIMENSION_ENDPOINT_SUFFIX, *args, **kwargs)
| search_dimensions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._search_metrics_and_metadata(self.\n _DIMENSION_ENDPOINT_SUFFIX, *args, **kwargs)\n",
"role": "user"
},
... |
def x(self, key, value, **kwargs):
return self._get_object_by_name(self._DIMENSION_ENDPOINT_SUFFIX,
'{0}/{1}'.format(key, value), **kwargs)
| get_dimension | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, **kwargs):\n return self._get_object_by_name(self._DIMENSION_ENDPOINT_SUFFIX,\n '{0}/{1}'.format(key, value), **kwargs)\n",
"ro... |
def x(self, key, value, description=None, custom_properties=None, tags=None,
**kwargs):
data = {'description': description or '', 'customProperties':
custom_properties or {}, 'tags': tags or [], 'key': key, 'value': value
}
resp = self._put(self._u(self._DIMENSION_ENDPOINT_SUFFIX, key, value),
data=data, **kwargs)
resp.raise_for_status()
return resp.json()
| update_dimension | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, description=None, custom_properties=None, tags=None,\n **kwargs):\n data = {'description': description or '', 'customProperties': \n ... |
def x(self, *args, **kwargs):
return self._search_metrics_and_metadata(self._MTS_ENDPOINT_SUFFIX, *
args, **kwargs)
| search_metric_time_series | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._search_metrics_and_metadata(self._MTS_ENDPOINT_SUFFIX, *\n args, **kwargs)\n",
"role": "user"
},
{
... |
def x(self, mts_id, **kwargs):
return self._get_object_by_name(self._MTS_ENDPOINT_SUFFIX, mts_id, **kwargs
)
| get_metric_time_series | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mts_id, **kwargs):\n return self._get_object_by_name(self._MTS_ENDPOINT_SUFFIX, mts_id, **kwargs\n )\n",
"role": "user"
},
{
"conte... |
def x(self, *args, **kwargs):
return self._search_metrics_and_metadata(self._TAG_ENDPOINT_SUFFIX, *
args, **kwargs)
| search_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n return self._search_metrics_and_metadata(self._TAG_ENDPOINT_SUFFIX, *\n args, **kwargs)\n",
"role": "user"
},
{
... |
def x(self, tag_name, **kwargs):
return self._get_object_by_name(self._TAG_ENDPOINT_SUFFIX, tag_name, **
kwargs)
| get_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag_name, **kwargs):\n return self._get_object_by_name(self._TAG_ENDPOINT_SUFFIX, tag_name, **\n kwargs)\n",
"role": "user"
},
{
"c... |
def x(self, tag_name, description=None, custom_properties=None, **kwargs):
data = {'description': description or '', 'customProperties':
custom_properties or {}}
resp = self._put(self._u(self._TAG_ENDPOINT_SUFFIX, tag_name), data=
data, **kwargs)
resp.raise_for_status()
return resp.json()
| update_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag_name, description=None, custom_properties=None, **kwargs):\n data = {'description': description or '', 'customProperties': \n custom_proper... |
def x(self, tag_name, **kwargs):
resp = self._delete(self._u(self._TAG_ENDPOINT_SUFFIX, tag_name), **kwargs)
resp.raise_for_status()
return resp
| delete_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag_name, **kwargs):\n resp = self._delete(self._u(self._TAG_ENDPOINT_SUFFIX, tag_name), **kwargs)\n resp.raise_for_status()\n return resp\n",
... |
def x(self, **kwargs):
resp = self._get(self._u(self._ORGANIZATION_ENDPOINT_SUFFIX), **kwargs)
resp.raise_for_status()
return resp.json()
| get_organization | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n resp = self._get(self._u(self._ORGANIZATION_ENDPOINT_SUFFIX), **kwargs)\n resp.raise_for_status()\n return resp.json()\n",
"rol... |
def x(self, id, **kwargs):
resp = self._get_object_by_name(self._CHART_ENDPOINT_SUFFIX, id, **kwargs)
return resp
| get_chart | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, **kwargs):\n resp = self._get_object_by_name(self._CHART_ENDPOINT_SUFFIX, id, **kwargs)\n return resp\n",
"role": "user"
},
{
"cont... |
def x(self, id, **kwargs):
resp = self._get_object_by_name(self._DASHBOARD_ENDPOINT_SUFFIX, id, **
kwargs)
return resp
| get_dashboard | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, **kwargs):\n resp = self._get_object_by_name(self._DASHBOARD_ENDPOINT_SUFFIX, id, **\n kwargs)\n return resp\n",
"role": "user"
},... |
def x(self, id, **kwargs):
resp = self._get_object_by_name(self._DETECTOR_ENDPOINT_SUFFIX, id, **
kwargs)
return resp
| get_detector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, **kwargs):\n resp = self._get_object_by_name(self._DETECTOR_ENDPOINT_SUFFIX, id, **\n kwargs)\n return resp\n",
"role": "user"
},
... |
def x(self, name=None, tags=None, batch_size=100, **kwargs):
detectors = []
offset = 0
while True:
resp = self._get(self._u(self._DETECTOR_ENDPOINT_SUFFIX), params={
'offset': offset, 'limit': batch_size, 'name': name, 'tags':
tags or []}, **kwargs)
resp.raise_for_status()
data = resp.json()
detectors += data['results']
if len(detectors) == data['count']:
break
offset = len(detectors)
return detectors
| get_detectors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, tags=None, batch_size=100, **kwargs):\n detectors = []\n offset = 0\n while True:\n resp = self._get(self._u(self._DETECTOR_EN... |
def x(self, detector):
resp = self._post(self._u(self._DETECTOR_ENDPOINT_SUFFIX, 'validate'),
data=detector)
resp.raise_for_status()
| validate_detector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, detector):\n resp = self._post(self._u(self._DETECTOR_ENDPOINT_SUFFIX, 'validate'),\n data=detector)\n resp.raise_for_status()\n",
"role... |
def x(self, detector):
resp = self._post(self._u(self._DETECTOR_ENDPOINT_SUFFIX), data=detector)
resp.raise_for_status()
return resp.json()
| create_detector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, detector):\n resp = self._post(self._u(self._DETECTOR_ENDPOINT_SUFFIX), data=detector)\n resp.raise_for_status()\n return resp.json()\n",
"r... |
def x(self, detector_id, detector):
resp = self._put(self._u(self._DETECTOR_ENDPOINT_SUFFIX, detector_id),
data=detector)
resp.raise_for_status()
return resp.json()
| update_detector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, detector_id, detector):\n resp = self._put(self._u(self._DETECTOR_ENDPOINT_SUFFIX, detector_id),\n data=detector)\n resp.raise_for_status()\... |
def x(self, detector_id, **kwargs):
resp = self._delete(self._u(self._DETECTOR_ENDPOINT_SUFFIX, detector_id
), **kwargs)
resp.raise_for_status()
return resp
| delete_detector | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, detector_id, **kwargs):\n resp = self._delete(self._u(self._DETECTOR_ENDPOINT_SUFFIX, detector_id\n ), **kwargs)\n resp.raise_for_status()\n... |
def x(self, id, **kwargs):
resp = self._get(self._u(self._DETECTOR_ENDPOINT_SUFFIX, id,
'incidents'), None, **kwargs)
resp.raise_for_status()
return resp.json()
| get_detector_incidents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, **kwargs):\n resp = self._get(self._u(self._DETECTOR_ENDPOINT_SUFFIX, id,\n 'incidents'), None, **kwargs)\n resp.raise_for_status()\n ... |
def x(self, id, **kwargs):
resp = self._get_object_by_name(self._INCIDENT_ENDPOINT_SUFFIX, id, **
kwargs)
return resp
| get_incident | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, **kwargs):\n resp = self._get_object_by_name(self._INCIDENT_ENDPOINT_SUFFIX, id, **\n kwargs)\n return resp\n",
"role": "user"
},
... |
def x(self, offset=0, limit=None, include_resolved=False, **kwargs):
resp = self._get(self._u(self._INCIDENT_ENDPOINT_SUFFIX), params={
'offset': offset, 'limit': limit, 'include_resolved': str(
include_resolved).lower()}, **kwargs)
resp.raise_for_status()
return resp.json()
| get_incidents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=0, limit=None, include_resolved=False, **kwargs):\n resp = self._get(self._u(self._INCIDENT_ENDPOINT_SUFFIX), params={\n 'offset': offse... |
def x(self, id, **kwargs):
resp = self._put(self._u(self._INCIDENT_ENDPOINT_SUFFIX, id, 'clear'),
None, **kwargs)
resp.raise_for_status()
return resp
| clear_incident | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, **kwargs):\n resp = self._put(self._u(self._INCIDENT_ENDPOINT_SUFFIX, id, 'clear'),\n None, **kwargs)\n resp.raise_for_status()\n ret... |
def x(client, program, start, stop, resolution=None):
data = {}
metadata = {}
c = client.execute(program, start=start, stop=stop, resolution=resolution)
for msg in c.stream():
if isinstance(msg, messages.DataMessage):
if msg.logical_timestamp_ms in data:
data[msg.logical_timestamp_ms].update(msg.data)
else:
data[msg.logical_timestamp_ms] = msg.data
elif isinstance(msg, messages.MetadataMessage):
metadata[msg.tsid] = msg.properties
df = pandas.DataFrame.from_dict(data, orient='index')
df.metadata = metadata
return df
| get_data_frame | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, program, start, stop, resolution=None):\n data = {}\n metadata = {}\n c = client.execute(program, start=start, stop=stop, resolution=resolutio... |
def x(self, email, password):
r = requests.post('{0}/v2/session'.format(self._api_endpoint), json={
'email': email, 'password': password})
r.raise_for_status()
return r.json()['accessToken']
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, email, password):\n r = requests.post('{0}/v2/session'.format(self._api_endpoint), json={\n 'email': email, 'password': password})\n r.raise... |
def x(self, token, endpoint=None, timeout=None):
from . import rest
return rest.SignalFxRestClient(token=token, endpoint=endpoint or self.
_api_endpoint, timeout=timeout or self._timeout)
| rest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token, endpoint=None, timeout=None):\n from . import rest\n return rest.SignalFxRestClient(token=token, endpoint=endpoint or self.\n _api_en... |
def x(self, token, endpoint=None, timeout=None, compress=None):
from . import ingest
if ingest.sf_pbuf:
client = ingest.ProtoBufSignalFxIngestClient
else:
_logger.warn(
'Protocol Buffers not installed properly; falling back to JSON.')
client = ingest.JsonSignalFxIngestClient
compress = compress if compress is not None else self._compress
return client(token=token, endpoint=endpoint or self._ingest_endpoint,
timeout=timeout or self._timeout, compress=compress)
| ingest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token, endpoint=None, timeout=None, compress=None):\n from . import ingest\n if ingest.sf_pbuf:\n client = ingest.ProtoBufSignalFxIngestClie... |
def x(self, token, endpoint=None, timeout=None, compress=None):
from . import signalflow
compress = compress if compress is not None else self._compress
return signalflow.SignalFlowClient(token=token, endpoint=endpoint or
self._stream_endpoint, timeout=timeout or self._timeout, compress=
compress)
| signalflow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token, endpoint=None, timeout=None, compress=None):\n from . import signalflow\n compress = compress if compress is not None else self._compress\n ... |
def x(self, key, **kwargs):
dimensions = dict((k, str(v)) for k, v in kwargs.items())
composite_key = self._composite_name(key, dimensions)
self._metadata[composite_key] = {'metric': key, 'dimensions': dimensions}
return composite_key
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, **kwargs):\n dimensions = dict((k, str(v)) for k, v in kwargs.items())\n composite_key = self._composite_name(key, dimensions)\n self._meta... |
def x(self):
request = {'type': 'authenticate', 'token': self._token, 'userAgent':
'{} ws4py/{}'.format(version.user_agent, ws4py.__version__)}
self.send(json.dumps(request))
| opened | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n request = {'type': 'authenticate', 'token': self._token, 'userAgent':\n '{} ws4py/{}'.format(version.user_agent, ws4py.__version__)}\n se... |
def x(self, code, reason=None):
if code != 1000:
self._error = errors.SignalFlowException(code, reason)
_logger.info('Lost WebSocket connection with %s (%s: %s).', self,
code, reason)
for c in self._channels.values():
c.offer(WebSocketComputationChannel.END_SENTINEL)
self._channels.clear()
with self._connection_cv:
self._connected = False
self._connection_cv.notify()
| closed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code, reason=None):\n if code != 1000:\n self._error = errors.SignalFlowException(code, reason)\n _logger.info('Lost WebSocket connectio... |
def x(timeout=DEFAULT_AWS_TIMEOUT):
try:
resp = requests.get(AWS_ID_URL, timeout=timeout).json()
except requests.exceptions.ConnectTimeout:
_logger.warning(
'Connection timeout when determining AWS unique ID. Not using AWS unique ID.'
)
return None
else:
aws_id = '{0}_{1}_{2}'.format(resp['instanceId'], resp['region'],
resp['accountId'])
_logger.debug('Using AWS unique ID %s.', aws_id)
return aws_id
| get_aws_unique_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(timeout=DEFAULT_AWS_TIMEOUT):\n try:\n resp = requests.get(AWS_ID_URL, timeout=timeout).json()\n except requests.exceptions.ConnectTimeout:\n ... |
def x(self):
pwm = self._pca.pwm_regs[self._index]
if pwm[0] == 4096:
return 65535
return pwm[1] << 4
| duty_cycle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pwm = self._pca.pwm_regs[self._index]\n if pwm[0] == 4096:\n return 65535\n return pwm[1] << 4\n",
"role": "user"
},
{
"co... |
def x(a, n=None, axis=-1, norm=None):
output = mkl_fft.fft(a, n, axis)
if _unitary(norm):
output *= 1 / sqrt(output.shape[axis])
return output
| fft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, n=None, axis=-1, norm=None):\n output = mkl_fft.fft(a, n, axis)\n if _unitary(norm):\n output *= 1 / sqrt(output.shape[axis])\n return outpu... |
def x(a, n=None, axis=-1, norm=None):
unitary = _unitary(norm)
output = mkl_fft.ifft(a, n, axis)
if unitary:
output *= sqrt(output.shape[axis])
return output
| ifft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, n=None, axis=-1, norm=None):\n unitary = _unitary(norm)\n output = mkl_fft.ifft(a, n, axis)\n if unitary:\n output *= sqrt(output.shape[axis... |
def x(a, n=None, axis=-1, norm=None):
unitary = _unitary(norm)
if unitary and n is None:
a = asarray(a)
n = a.shape[axis]
output = mkl_fft.rfft_numpy(a, n=n, axis=axis)
if unitary:
output *= 1 / sqrt(n)
return output
| rfft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, n=None, axis=-1, norm=None):\n unitary = _unitary(norm)\n if unitary and n is None:\n a = asarray(a)\n n = a.shape[axis]\n output = m... |
def x(a, n=None, axis=-1, norm=None):
output = mkl_fft.irfft_numpy(a, n=n, axis=axis)
if _unitary(norm):
output *= sqrt(output.shape[axis])
return output
| irfft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, n=None, axis=-1, norm=None):\n output = mkl_fft.irfft_numpy(a, n=n, axis=axis)\n if _unitary(norm):\n output *= sqrt(output.shape[axis])\n r... |
def x(a, n=None, axis=-1, norm=None):
a = array(a, copy=True, dtype=complex)
if n is None:
n = (a.shape[axis] - 1) * 2
unitary = _unitary(norm)
return irfft(conjugate(a), n, axis) * (sqrt(n) if unitary else n)
| hfft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, n=None, axis=-1, norm=None):\n a = array(a, copy=True, dtype=complex)\n if n is None:\n n = (a.shape[axis] - 1) * 2\n unitary = _unitary(nor... |
def x(a, n=None, axis=-1, norm=None):
a = array(a, copy=True, dtype=float)
if n is None:
n = a.shape[axis]
unitary = _unitary(norm)
output = conjugate(rfft(a, n, axis))
return output * (1 / (sqrt(n) if unitary else n))
| ihfft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, n=None, axis=-1, norm=None):\n a = array(a, copy=True, dtype=float)\n if n is None:\n n = a.shape[axis]\n unitary = _unitary(norm)\n outp... |
def x(a, s=None, axes=None, norm=None):
output = mkl_fft.fftn(a, s, axes)
if _unitary(norm):
output *= 1 / sqrt(_tot_size(output, axes))
return output
| fftn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, s=None, axes=None, norm=None):\n output = mkl_fft.fftn(a, s, axes)\n if _unitary(norm):\n output *= 1 / sqrt(_tot_size(output, axes))\n retu... |
def x(a, s=None, axes=None, norm=None):
unitary = _unitary(norm)
output = mkl_fft.ifftn(a, s, axes)
if unitary:
output *= sqrt(_tot_size(output, axes))
return output
| ifftn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, s=None, axes=None, norm=None):\n unitary = _unitary(norm)\n output = mkl_fft.ifftn(a, s, axes)\n if unitary:\n output *= sqrt(_tot_size(outp... |
def x(a, s=None, axes=(-2, -1), norm=None):
return fftn(a, s=s, axes=axes, norm=norm)
| fft2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, s=None, axes=(-2, -1), norm=None):\n return fftn(a, s=s, axes=axes, norm=norm)\n",
"role": "user"
},
{
"content": "fft2",
"role": "assist... |
def x(a, s=None, axes=(-2, -1), norm=None):
return ifftn(a, s=s, axes=axes, norm=norm)
| ifft2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, s=None, axes=(-2, -1), norm=None):\n return ifftn(a, s=s, axes=axes, norm=norm)\n",
"role": "user"
},
{
"content": "ifft2",
"role": "assi... |
def x(a, s=None, axes=None, norm=None):
unitary = _unitary(norm)
if unitary:
a = asarray(a)
s, axes = _cook_nd_args(a, s, axes)
output = mkl_fft.rfftn_numpy(a, s, axes)
if unitary:
n_tot = prod(asarray(s, dtype=output.dtype))
output *= 1 / sqrt(n_tot)
return output
| rfftn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, s=None, axes=None, norm=None):\n unitary = _unitary(norm)\n if unitary:\n a = asarray(a)\n s, axes = _cook_nd_args(a, s, axes)\n outp... |
def x(a, s=None, axes=(-2, -1), norm=None):
return rfftn(a, s, axes, norm)
| rfft2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, s=None, axes=(-2, -1), norm=None):\n return rfftn(a, s, axes, norm)\n",
"role": "user"
},
{
"content": "rfft2",
"role": "assistant"
}
] |
def x(a, s=None, axes=None, norm=None):
output = mkl_fft.irfftn_numpy(a, s, axes)
if _unitary(norm):
output *= sqrt(_tot_size(output, axes))
return output
| irfftn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, s=None, axes=None, norm=None):\n output = mkl_fft.irfftn_numpy(a, s, axes)\n if _unitary(norm):\n output *= sqrt(_tot_size(output, axes))\n ... |
def x(a, s=None, axes=(-2, -1), norm=None):
return irfftn(a, s, axes, norm)
| irfft2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, s=None, axes=(-2, -1), norm=None):\n return irfftn(a, s, axes, norm)\n",
"role": "user"
},
{
"content": "irfft2",
"role": "assistant"
}... |
def x(obj, environment, service, resource, event, group, tags, customer,
start, duration, text, delete):
client = obj['client']
if delete:
client.delete_blackout(delete)
else:
if not environment:
raise click.UsageError('Missing option "--environment" / "-E".')
try:
blackout = client.create_blackout(environment=environment,
service=service, resource=resource, event=event, group=
group, tags=tags, customer=customer, start=start, duration=
duration, text=text)
except Exception as e:
click.echo('ERROR: {}'.format(e))
sys.exit(1)
click.echo(blackout.id)
| cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, environment, service, resource, event, group, tags, customer,\n start, duration, text, delete):\n client = obj['client']\n if delete:\n cl... |
def x(obj, username, scopes, duration, text, customer, delete):
client = obj['client']
if delete:
client.delete_key(delete)
else:
try:
expires = datetime.utcnow() + timedelta(seconds=duration
) if duration else None
key = client.create_key(username, scopes, expires, text, customer)
except Exception as e:
click.echo('ERROR: {}'.format(e))
sys.exit(1)
click.echo(key.key)
| cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, username, scopes, duration, text, customer, delete):\n client = obj['client']\n if delete:\n client.delete_key(delete)\n else:\n tr... |
def x(obj, customer, match, delete):
client = obj['client']
if delete:
client.delete_customer(delete)
else:
if not customer:
raise click.UsageError('Missing option "--customer".')
if not match:
raise click.UsageError(
'Missing option "--org" / "--group" / "--domain" / "--role".')
try:
customer = client.create_customer(customer, match)
except Exception as e:
click.echo('ERROR: {}'.format(e))
sys.exit(1)
click.echo(customer.id)
| cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, customer, match, delete):\n client = obj['client']\n if delete:\n client.delete_customer(delete)\n else:\n if not customer:\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.