source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, position, **options):
return self.member_at_in(self.leaderboard_name, position, **options)
| member_at | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position, **options):\n return self.member_at_in(self.leaderboard_name, position, **options)\n",
"role": "user"
},
{
"content": "member_at... |
def x(self, leaderboard_name, position, **options):
if position > 0 and position <= self.total_members_in(leaderboard_name):
page_size = options.get('page_size', self.page_size)
current_page = math.ceil(float(position) / float(page_size))
offset = (position - 1) % page_size
leaders = self.leaders_in(leaderboard_name, current_page, **options)
if leaders:
return leaders[offset]
| member_at_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, position, **options):\n if position > 0 and position <= self.total_members_in(leaderboard_name):\n page_size = options.get('p... |
def x(self, member, **options):
return self.around_me_in(self.leaderboard_name, member, **options)
| around_me | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member, **options):\n return self.around_me_in(self.leaderboard_name, member, **options)\n",
"role": "user"
},
{
"content": "around_me",
... |
def x(self, leaderboard_name, member, **options):
reverse_rank_for_member = None
if self.order == self.DESC:
reverse_rank_for_member = self.redis_connection.zrevrank(
leaderboard_name, member)
else:
reverse_rank_for_member = self.redis_connection.zrank(leaderboard_name,
member)
if reverse_rank_for_member is None:
return []
page_size = options.get('page_size', self.page_size)
starting_offset = reverse_rank_for_member - page_size // 2
if starting_offset < 0:
starting_offset = 0
ending_offset = starting_offset + page_size - 1
raw_leader_data = self._range_method(self.redis_connection,
leaderboard_name, int(starting_offset), int(ending_offset),
withscores=False)
return self._parse_raw_members(leaderboard_name, raw_leader_data, **options
)
| around_me_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, member, **options):\n reverse_rank_for_member = None\n if self.order == self.DESC:\n reverse_rank_for_member = self.redis_... |
def x(self, members, **options):
return self.ranked_in_list_in(self.leaderboard_name, members, **options)
| ranked_in_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, members, **options):\n return self.ranked_in_list_in(self.leaderboard_name, members, **options)\n",
"role": "user"
},
{
"content": "ranked... |
def x(self, leaderboard_name, members, **options):
ranks_for_members = []
pipeline = self.redis_connection.pipeline()
for member in members:
if self.order == self.ASC:
pipeline.zrank(leaderboard_name, member)
else:
pipeline.zrevrank(leaderboard_name, member)
pipeline.zscore(leaderboard_name, member)
responses = pipeline.execute()
for index, member in enumerate(members):
data = {}
data[self.MEMBER_KEY] = member
rank = responses[index * 2]
if rank is not None:
rank += 1
elif not options.get('include_missing', True):
continue
data[self.RANK_KEY] = rank
score = responses[index * 2 + 1]
if score is not None:
score = float(score)
data[self.SCORE_KEY] = score
ranks_for_members.append(data)
if 'with_member_data' in options and True == options['with_member_data']:
for index, member_data in enumerate(self.members_data_for_in(
leaderboard_name, members)):
try:
ranks_for_members[index][self.MEMBER_DATA_KEY] = member_data
except:
pass
if 'sort_by' in options:
sort_value_if_none = float('-inf'
) if self.order == self.ASC else float('+inf')
if self.RANK_KEY == options['sort_by']:
ranks_for_members = sorted(ranks_for_members, key=lambda member:
member.get(self.RANK_KEY) if member.get(self.RANK_KEY) is not
None else sort_value_if_none)
elif self.SCORE_KEY == options['sort_by']:
ranks_for_members = sorted(ranks_for_members, key=lambda member:
member.get(self.SCORE_KEY) if member.get(self.SCORE_KEY) is not
None else sort_value_if_none)
return ranks_for_members
| ranked_in_list_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, members, **options):\n ranks_for_members = []\n pipeline = self.redis_connection.pipeline()\n for member in members:\n ... |
def x(self, destination, keys, aggregate='SUM'):
keys.insert(0, self.leaderboard_name)
self.redis_connection.zunionstore(destination, keys, aggregate)
| merge_leaderboards | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, destination, keys, aggregate='SUM'):\n keys.insert(0, self.leaderboard_name)\n self.redis_connection.zunionstore(destination, keys, aggregate)\n",
... |
def x(self, destination, keys, aggregate='SUM'):
keys.insert(0, self.leaderboard_name)
self.redis_connection.zinterstore(destination, keys, aggregate)
| intersect_leaderboards | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, destination, keys, aggregate='SUM'):\n keys.insert(0, self.leaderboard_name)\n self.redis_connection.zinterstore(destination, keys, aggregate)\n",
... |
def x(self, leaderboard_name):
if self.global_member_data is False:
return '%s:%s' % (leaderboard_name, self.member_data_namespace)
else:
return self.member_data_namespace
| member_data_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name):\n if self.global_member_data is False:\n return '%s:%s' % (leaderboard_name, self.member_data_namespace)\n else:\n ... |
def x(self, leaderboard_name, members, members_only=False, **options):
if members_only:
return [{self.MEMBER_KEY: m} for m in members]
if members:
return self.ranked_in_list_in(leaderboard_name, members, **options)
else:
return []
| parse_raw_members | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, members, members_only=False, **options):\n if members_only:\n return [{self.MEMBER_KEY: m} for m in members]\n if members:... |
def x(self, leaderboard_name):
pipeline = self.redis_connection.pipeline()
pipeline.delete(leaderboard_name)
pipeline.delete(self._member_data_key(leaderboard_name))
pipeline.delete(self._ties_leaderboard_key(leaderboard_name))
pipeline.execute()
| delete_leaderboard_named | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name):\n pipeline = self.redis_connection.pipeline()\n pipeline.delete(leaderboard_name)\n pipeline.delete(self._member_data_key(lea... |
def x(self, leaderboard_name, member, delta, member_data=None):
previous_score = self.score_for(member)
new_score = (previous_score or 0) + delta
total_members_at_previous_score = []
if previous_score is not None:
total_members_at_previous_score = (self.redis_connection.
zrevrangebyscore(leaderboard_name, previous_score, previous_score))
pipeline = self.redis_connection.pipeline()
if isinstance(self.redis_connection, Redis):
pipeline.zadd(leaderboard_name, member, new_score)
pipeline.zadd(self._ties_leaderboard_key(leaderboard_name), str(
float(new_score)), new_score)
else:
pipeline.zadd(leaderboard_name, new_score, member)
pipeline.zadd(self._ties_leaderboard_key(leaderboard_name),
new_score, str(float(new_score)))
if member_data:
pipeline.hset(self._member_data_key(leaderboard_name), member,
member_data)
pipeline.execute()
if len(total_members_at_previous_score) == 1:
self.redis_connection.zrem(self._ties_leaderboard_key(
leaderboard_name), str(float(previous_score)))
| change_score_for_member_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, member, delta, member_data=None):\n previous_score = self.score_for(member)\n new_score = (previous_score or 0) + delta\n tota... |
def x(self, leaderboard_name, member, score, member_data=None):
member_score = None or self.redis_connection.zscore(leaderboard_name,
member)
can_delete_score = member_score is not None and len(self.
members_from_score_range_in(leaderboard_name, member_score,
member_score)) == 1 and member_score != score
pipeline = self.redis_connection.pipeline()
if isinstance(self.redis_connection, Redis):
pipeline.zadd(leaderboard_name, member, score)
pipeline.zadd(self._ties_leaderboard_key(leaderboard_name), str(
float(score)), score)
else:
pipeline.zadd(leaderboard_name, score, member)
pipeline.zadd(self._ties_leaderboard_key(leaderboard_name), score,
str(float(score)))
if can_delete_score:
pipeline.zrem(self._ties_leaderboard_key(leaderboard_name), str(
float(member_score)))
if member_data:
pipeline.hset(self._member_data_key(leaderboard_name), member,
member_data)
pipeline.execute()
| rank_member_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, member, score, member_data=None):\n member_score = None or self.redis_connection.zscore(leaderboard_name,\n member)\n can_... |
def x(self, leaderboards, member, score, member_data=None):
for leaderboard_name in leaderboards:
self.rank_member_in(leaderboard, member, score, member_data)
| rank_member_across | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboards, member, score, member_data=None):\n for leaderboard_name in leaderboards:\n self.rank_member_in(leaderboard, member, score, membe... |
def x(self, leaderboard_name, members_and_scores):
for member, score in grouper(2, members_and_scores):
self.rank_member_in(leaderboard_name, member, score)
| rank_members_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, members_and_scores):\n for member, score in grouper(2, members_and_scores):\n self.rank_member_in(leaderboard_name, member, s... |
def x(self, leaderboard_name, member):
member_score = None or self.redis_connection.zscore(leaderboard_name,
member)
can_delete_score = member_score and len(self.
members_from_score_range_in(leaderboard_name, member_score,
member_score)) == 1
pipeline = self.redis_connection.pipeline()
pipeline.zrem(leaderboard_name, member)
if can_delete_score:
pipeline.zrem(self._ties_leaderboard_key(leaderboard_name), str(
float(member_score)))
pipeline.hdel(self._member_data_key(leaderboard_name), member)
pipeline.execute()
| remove_member_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, member):\n member_score = None or self.redis_connection.zscore(leaderboard_name,\n member)\n can_delete_score = member_sco... |
def x(self, leaderboard_name, member):
member_score = self.score_for_in(leaderboard_name, member)
if self.order == self.ASC:
try:
return self.redis_connection.zrank(self._ties_leaderboard_key(
leaderboard_name), str(float(member_score))) + 1
except:
return None
else:
try:
return self.redis_connection.zrevrank(self.
_ties_leaderboard_key(leaderboard_name), str(float(
member_score))) + 1
except:
return None
| rank_for_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, member):\n member_score = self.score_for_in(leaderboard_name, member)\n if self.order == self.ASC:\n try:\n ret... |
def x(self, leaderboard_name, min_score, max_score):
pipeline = self.redis_connection.pipeline()
pipeline.zremrangebyscore(leaderboard_name, min_score, max_score)
pipeline.zremrangebyscore(self._ties_leaderboard_key(leaderboard_name),
min_score, max_score)
pipeline.execute()
| remove_members_in_score_range_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, min_score, max_score):\n pipeline = self.redis_connection.pipeline()\n pipeline.zremrangebyscore(leaderboard_name, min_score, max... |
def x(self, leaderboard_name, timestamp):
pipeline = self.redis_connection.pipeline()
pipeline.expireat(leaderboard_name, timestamp)
pipeline.expireat(self._ties_leaderboard_key(leaderboard_name), timestamp)
pipeline.expireat(self._member_data_key(leaderboard_name), timestamp)
pipeline.execute()
| expire_leaderboard_at_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, timestamp):\n pipeline = self.redis_connection.pipeline()\n pipeline.expireat(leaderboard_name, timestamp)\n pipeline.expireat... |
def x(self, leaderboard_name, member):
member_score = str(float(self.score_for_in(leaderboard_name, member)))
if self.order == self.ASC:
try:
return self.redis_connection.zcount(leaderboard_name, '-inf',
'(%s' % member_score) + 1
except:
return None
else:
try:
return self.redis_connection.zcount(leaderboard_name, '(%s' %
member_score, '+inf') + 1
except:
return None
| rank_for_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, member):\n member_score = str(float(self.score_for_in(leaderboard_name, member)))\n if self.order == self.ASC:\n try:\n ... |
def x(self, leaderboard_name, member):
pipeline = self.redis_connection.pipeline()
pipeline.zscore(leaderboard_name, member)
if self.order == self.ASC:
pipeline.zrank(leaderboard_name, member)
else:
pipeline.zrevrank(leaderboard_name, member)
responses = pipeline.execute()
if responses[0] is not None:
responses[0] = float(responses[0])
if self.order == self.ASC:
try:
responses[1] = self.redis_connection.zcount(leaderboard_name,
'-inf', '(%s' % str(float(responses[0]))) + 1
except:
responses[1] = None
else:
try:
responses[1] = self.redis_connection.zcount(leaderboard_name,
'(%s' % str(float(responses[0])), '+inf') + 1
except:
responses[1] = None
return {self.MEMBER_KEY: member, self.SCORE_KEY: responses[0], self.
RANK_KEY: responses[1]}
| score_and_rank_for_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaderboard_name, member):\n pipeline = self.redis_connection.pipeline()\n pipeline.zscore(leaderboard_name, member)\n if self.order == self.ASC... |
def x(key, allowed):
if key in allowed:
return True
for pattern in allowed:
if fnmatch(key, pattern):
return True
return False
| check_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, allowed):\n if key in allowed:\n return True\n for pattern in allowed:\n if fnmatch(key, pattern):\n return True\n retur... |
def x(s):
if PY2 and isinstance(s, text_type):
s = s.encode('utf-8')
return quote(s, safe='*')
| cs_encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n if PY2 and isinstance(s, text_type):\n s = s.encode('utf-8')\n return quote(s, safe='*')\n",
"role": "user"
},
{
"content": "cs_... |
def x(params):
for key, value in list(params.items()):
if value is None:
params.pop(key)
continue
if isinstance(value, (string_type, binary_type)):
continue
if isinstance(value, integer_types):
params[key] = text_type(value)
elif isinstance(value, (list, tuple, set, dict)):
if not value:
params.pop(key)
else:
if isinstance(value, dict):
value = [value]
if isinstance(value, set):
value = list(value)
if not isinstance(value[0], dict):
params[key] = ','.join(value)
else:
params.pop(key)
for index, val in enumerate(value):
for name, v in val.items():
k = '%s[%d].%s' % (key, index, name)
params[k] = text_type(v)
else:
raise ValueError(type(value))
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params):\n for key, value in list(params.items()):\n if value is None:\n params.pop(key)\n continue\n if isinstance(valu... |
def x(ini_group=None):
env_conf = dict(DEFAULT_CONFIG)
for key in REQUIRED_CONFIG_KEYS.union(ALLOWED_CONFIG_KEYS):
env_key = 'CLOUDSTACK_{0}'.format(key.upper())
value = os.getenv(env_key)
if value:
env_conf[key] = value
overrides = os.getenv('CLOUDSTACK_OVERRIDES', '').strip()
if not overrides and set(env_conf).issuperset(REQUIRED_CONFIG_KEYS):
return env_conf
ini_conf = read_config_from_ini(ini_group)
overrides = {s.lower() for s in re.split('\\W+', overrides)}
config = dict(dict(env_conf, **ini_conf), **{k: v for k, v in env_conf.
items() if k in overrides})
missings = REQUIRED_CONFIG_KEYS.difference(config)
if missings:
raise ValueError(
'the configuration is missing the following keys: ' + ', '.join
(missings))
bool_keys = 'dangerous_no_tls_verify',
for bool_key in bool_keys:
if isinstance(config[bool_key], string_type):
try:
config[bool_key] = strtobool(config[bool_key])
except ValueError:
pass
return config
| read_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ini_group=None):\n env_conf = dict(DEFAULT_CONFIG)\n for key in REQUIRED_CONFIG_KEYS.union(ALLOWED_CONFIG_KEYS):\n env_key = 'CLOUDSTACK_{0}'.form... |
def x(self, response, json=True):
if json:
contentType = response.headers.get('Content-Type', '')
if not contentType.startswith(('application/json', 'text/javascript')):
if response.status_code == 200:
raise CloudStackException(
'JSON (application/json) was expected, got {!r}'.format
(contentType), response=response)
raise CloudStackException('HTTP {0.status_code} {0.reason}'.
format(response), 'Make sure endpoint URL {!r} is correct.'
.format(self.endpoint), response=response)
try:
data = response.json()
except ValueError as e:
raise CloudStackException('HTTP {0.status_code} {0.reason}'.
format(response), '{0!s}. Malformed JSON document'.format(e
), response=response)
[key] = data.keys()
data = data[key]
else:
data = response.text
if response.status_code != 200:
raise CloudStackException('HTTP {0} response from CloudStack'.
format(response.status_code), data, response=response)
return data
| response_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, json=True):\n if json:\n contentType = response.headers.get('Content-Type', '')\n if not contentType.startswith(('application/... |
def x(self, jobid, json=True, headers=None):
failures = 0
total_time = self.job_timeout or 2 ** 30
remaining = timedelta(seconds=total_time)
endtime = datetime.now() + remaining
while remaining.total_seconds() > 0:
timeout = max(min(self.timeout, remaining.total_seconds()), 1)
try:
kind, params = self._prepare_request('queryAsyncJobResult',
jobid=jobid)
transform(params)
params['signature'] = self._sign(params)
req = requests.Request(self.method, self.endpoint, headers=
headers, **{kind: params})
prepped = req.prepare()
if self.trace:
print(prepped.method, prepped.url, file=sys.stderr)
if prepped.headers:
print(prepped.headers, '\n', file=sys.stderr)
if prepped.body:
print(prepped.body, file=sys.stderr)
else:
print(file=sys.stderr)
with requests.Session() as session:
response = session.send(prepped, timeout=timeout, verify=
self.verify, cert=self.cert)
j = self._response_value(response, json)
if self.trace:
print(response.status_code, response.reason, file=sys.stderr)
headersTrace = '\n'.join('{}: {}'.format(k, v) for k, v in
response.headers.items())
print(headersTrace, '\n', file=sys.stderr)
print(response.text, '\n', file=sys.stderr)
failures = 0
if j['jobstatus'] != PENDING:
if j['jobresultcode'] or j['jobstatus'] != SUCCESS:
raise CloudStackException('Job failure', response=response)
if 'jobresult' not in j:
raise CloudStackException('Unknown job result',
response=response)
return j['jobresult']
except CloudStackException:
raise
except Exception as e:
failures += 1
if failures > 10:
raise e
time.sleep(self.poll_interval)
remaining = endtime - datetime.now()
if response:
response.status_code = 408
raise CloudStackException('Timeout waiting for async job result', jobid,
response=response)
| jobresult | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, jobid, json=True, headers=None):\n failures = 0\n total_time = self.job_timeout or 2 ** 30\n remaining = timedelta(seconds=total_time)\n endt... |
def x(self, data):
params = '&'.join('='.join((key, cs_encode(value))) for key, value in
sorted(data.items()))
digest = hmac.new(self.secret.encode('utf-8'), msg=params.lower().
encode('utf-8'), digestmod=hashlib.sha1).digest()
return base64.b64encode(digest).decode('utf-8').strip()
| sign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n params = '&'.join('='.join((key, cs_encode(value))) for key, value in\n sorted(data.items()))\n digest = hmac.new(self.secret.encod... |
def x(data, theme):
output = json.dumps(data, indent=2, sort_keys=True)
if pygments and sys.stdout.isatty():
style = get_style_by_name(theme)
formatter = Terminal256Formatter(style=style)
return pygments.highlight(output, JsonLexer(), formatter)
return output
| format_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, theme):\n output = json.dumps(data, indent=2, sort_keys=True)\n if pygments and sys.stdout.isatty():\n style = get_style_by_name(theme)\n ... |
def x(self, data=b''):
self.buf.extend(data)
while self.buf:
if self.state == AWAITING_CONTROL_LINE:
msg = MSG_RE.match(self.buf)
if msg:
try:
subject, sid, _, reply, needed_bytes = msg.groups()
self.msg_arg['subject'] = subject
self.msg_arg['sid'] = int(sid)
if reply:
self.msg_arg['reply'] = reply
else:
self.msg_arg['reply'] = b''
self.needed = int(needed_bytes)
del self.buf[:msg.end()]
self.state = AWAITING_MSG_PAYLOAD
continue
except:
raise ErrProtocol('nats: malformed MSG')
ok = OK_RE.match(self.buf)
if ok:
del self.buf[:ok.end()]
continue
err = ERR_RE.match(self.buf)
if err:
err_msg = err.groups()
yield self.nc._process_err(err_msg)
del self.buf[:err.end()]
continue
ping = PING_RE.match(self.buf)
if ping:
del self.buf[:ping.end()]
yield self.nc._process_ping()
continue
pong = PONG_RE.match(self.buf)
if pong:
del self.buf[:pong.end()]
yield self.nc._process_pong()
continue
info = INFO_RE.match(self.buf)
if info:
info_line = info.groups()[0]
self.nc._process_info(info_line)
del self.buf[:info.end()]
continue
if len(self.buf
) < MAX_CONTROL_LINE_SIZE and _CRLF_ not in self.buf:
break
else:
raise ErrProtocol('nats: unknown protocol')
elif self.state == AWAITING_MSG_PAYLOAD:
if len(self.buf) >= self.needed + CRLF_SIZE:
subject = self.msg_arg['subject']
sid = self.msg_arg['sid']
reply = self.msg_arg['reply']
payload = bytes(self.buf[:self.needed])
del self.buf[:self.needed + CRLF_SIZE]
self.state = AWAITING_CONTROL_LINE
yield self.nc._process_msg(sid, subject, reply, payload)
else:
break
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=b''):\n self.buf.extend(data)\n while self.buf:\n if self.state == AWAITING_CONTROL_LINE:\n msg = MSG_RE.match(self.buf)\n ... |
def x(self, servers=['nats://127.0.0.1:4222'], loop=None, io_loop=None,
error_cb=None, disconnected_cb=None, reconnected_cb=None, closed_cb=
None, close_cb=None, name=None, pedantic=False, verbose=False, no_echo=
False, user=None, password=None, token=None, allow_reconnect=True,
connect_timeout=DEFAULT_CONNECT_TIMEOUT, reconnect_time_wait=
RECONNECT_TIME_WAIT, max_reconnect_attempts=MAX_RECONNECT_ATTEMPTS,
dont_randomize=False, ping_interval=DEFAULT_PING_INTERVAL,
max_outstanding_pings=MAX_OUTSTANDING_PINGS, tls=None,
max_read_buffer_size=DEFAULT_READ_BUFFER_SIZE, max_write_buffer_size=
DEFAULT_WRITE_BUFFER_SIZE, read_chunk_size=DEFAULT_READ_CHUNK_SIZE,
tcp_nodelay=False, drain_timeout=DEFAULT_DRAIN_TIMEOUT):
self._setup_server_pool(servers)
self._loop = io_loop or loop or tornado.ioloop.IOLoop.current()
self._error_cb = error_cb
self._closed_cb = closed_cb or close_cb
self._reconnected_cb = reconnected_cb
self._disconnected_cb = disconnected_cb
self._max_read_buffer_size = max_read_buffer_size
self._max_write_buffer_size = max_write_buffer_size
self._read_chunk_size = read_chunk_size
self.options['verbose'] = verbose
self.options['pedantic'] = pedantic
self.options['name'] = name
self.options['no_echo'] = no_echo
self.options['user'] = user
self.options['password'] = password
self.options['token'] = token
self.options['max_outstanding_pings'] = max_outstanding_pings
self.options['max_reconnect_attempts'] = max_reconnect_attempts
self.options['reconnect_time_wait'] = reconnect_time_wait
self.options['dont_randomize'] = dont_randomize
self.options['allow_reconnect'] = allow_reconnect
self.options['tcp_nodelay'] = tcp_nodelay
self.options['connect_timeout'] = connect_timeout
self.options['ping_interval'] = ping_interval
self.options['drain_timeout'] = drain_timeout
if tls is not None:
self.options['tls'] = tls
while True:
try:
s = self._next_server()
if s is None:
raise ErrNoServers
if s.last_attempt is not None:
now = time.time()
if now - s.last_attempt < self.options['reconnect_time_wait']:
yield tornado.gen.sleep(self.options['reconnect_time_wait']
)
s.reconnects += 1
s.last_attempt = time.time()
yield self._server_connect(s)
self._current_server = s
s.did_connect = True
self._status = Client.CONNECTING
yield self._process_connect_init()
break
except ErrNoServers:
raise
except Exception as e:
self._status = Client.DISCONNECTED
self._err = e
if self._error_cb is not None:
self._error_cb(ErrServerConnect(e))
if not self.options['allow_reconnect']:
raise ErrNoServers
yield self._flush_pending()
self._status = Client.CONNECTED
self._ping_timer = tornado.ioloop.PeriodicCallback(self._ping_interval,
self.options['ping_interval'] * 1000)
self._ping_timer.start()
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, servers=['nats://127.0.0.1:4222'], loop=None, io_loop=None,\n error_cb=None, disconnected_cb=None, reconnected_cb=None, closed_cb=\n None, close_cb... |
def x(self, s):
self._socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
self._socket.setblocking(0)
self._socket.settimeout(1.0)
if self.options['tcp_nodelay']:
self._socket.setsockopt(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)
self.io = tornado.iostream.IOStream(self._socket, max_buffer_size=self.
_max_read_buffer_size, max_write_buffer_size=self.
_max_write_buffer_size, read_chunk_size=self._read_chunk_size)
future = self.io.connect((s.uri.hostname, s.uri.port))
yield tornado.gen.with_timeout(timedelta(seconds=self.options[
'connect_timeout']), future)
self.io.set_close_callback(self._process_op_err)
| server_connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s):\n self._socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n self._socket.setblocking(0)\n self._socket.settimeout(1.0)\n if self... |
def x(self):
options = {'verbose': self.options['verbose'], 'pedantic': self.options
['pedantic'], 'lang': __lang__, 'version': __version__, 'protocol':
PROTOCOL}
if 'auth_required' in self._server_info:
if self._server_info['auth_required'] == True:
if self.options['user'] is not None and self.options['password'
] is not None:
options['user'] = self.options['user']
options['pass'] = self.options['password']
elif self.options['token'] is not None:
options['auth_token'] = self.options['token']
elif self._current_server.uri.password is None:
options['auth_token'] = self._current_server.uri.username
else:
options['user'] = self._current_server.uri.username
options['pass'] = self._current_server.uri.password
if self.options['name'] is not None:
options['name'] = self.options['name']
if self.options['no_echo'] is not None:
options['echo'] = not self.options['no_echo']
args = json.dumps(options, sort_keys=True)
return CONNECT_PROTO.format(CONNECT_OP, args, _CRLF_)
| connect_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n options = {'verbose': self.options['verbose'], 'pedantic': self.options\n ['pedantic'], 'lang': __lang__, 'version': __version__, 'protocol'... |
def x(self, cmd, priority=False):
if priority:
self._pending.insert(0, cmd)
else:
self._pending.append(cmd)
self._pending_size += len(cmd)
if self._pending_size > DEFAULT_PENDING_SIZE:
yield self._flush_pending()
| send_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, priority=False):\n if priority:\n self._pending.insert(0, cmd)\n else:\n self._pending.append(cmd)\n self._pending_size += le... |
def x(self, subject, reply, payload):
payload_size = len(payload)
if payload_size > self._max_payload_size:
raise ErrMaxPayload
if self.is_closed:
raise ErrConnectionClosed
yield self._publish(subject, reply, payload, payload_size)
if self._flush_queue.empty():
yield self._flush_pending()
| publish_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject, reply, payload):\n payload_size = len(payload)\n if payload_size > self._max_payload_size:\n raise ErrMaxPayload\n if self.is_cl... |
def x(self, timeout):
future = tornado.concurrent.Future()
yield self._send_ping(future)
try:
result = yield tornado.gen.with_timeout(timedelta(seconds=timeout),
future)
except tornado.gen.TimeoutError:
future.set_result(False)
for i, pong_future in enumerate(self._pongs):
if pong_future == future:
del self._pongs[i]
break
raise
raise tornado.gen.Return(result)
| flush_timeout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout):\n future = tornado.concurrent.Future()\n yield self._send_ping(future)\n try:\n result = yield tornado.gen.with_timeout(timedel... |
def x(self, subject, payload, timeout=0.5, expected=1, cb=None):
if self.is_draining:
raise ErrConnectionDraining
if cb is not None:
next_inbox = INBOX_PREFIX[:]
next_inbox.extend(self._nuid.next())
inbox = str(next_inbox)
sid = yield self.subscribe(inbox, queue=_EMPTY_, cb=cb, max_msgs=
expected)
yield self.auto_unsubscribe(sid, expected)
yield self.publish_request(subject, inbox, payload)
raise tornado.gen.Return(sid)
if self._resp_sub_prefix is None:
self._resp_map = {}
self._resp_sub_prefix = str(INBOX_PREFIX[:])
self._resp_sub_prefix += self._nuid.next()
self._resp_sub_prefix += b'.'
resp_mux_subject = str(self._resp_sub_prefix[:])
resp_mux_subject += b'*'
sub = Subscription(subject=str(resp_mux_subject))
sub.pending_msgs_limit = DEFAULT_SUB_PENDING_MSGS_LIMIT
sub.pending_bytes_limit = DEFAULT_SUB_PENDING_BYTES_LIMIT
sub.pending_queue = tornado.queues.Queue(maxsize=sub.pending_msgs_limit
)
@tornado.gen.coroutine
def x():
while True:
sub = wait_for_msgs.sub
if sub.closed:
break
msg = yield sub.pending_queue.get()
if msg is None:
break
token = msg.subject[INBOX_PREFIX_LEN:]
try:
fut = self._resp_map[token]
fut.set_result(msg)
del self._resp_map[token]
except KeyError:
continue
wait_for_msgs.sub = sub
self._loop.spawn_callback(wait_for_msgs)
self._ssid += 1
sid = self._ssid
sub.sid = sid
self._subs[sid] = sub
sub_cmd = b''.join([SUB_OP, _SPC_, sub.subject.encode(), _SPC_, (
'%d' % sid).encode(), _CRLF_])
yield self.send_command(sub_cmd)
yield self._flush_pending()
token = self._nuid.next()
inbox = self._resp_sub_prefix[:]
inbox.extend(token)
future = tornado.concurrent.Future()
self._resp_map[token.decode()] = future
yield self.publish_request(subject, str(inbox), payload)
msg = yield tornado.gen.with_timeout(timedelta(seconds=timeout), future)
raise tornado.gen.Return(msg)
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject, payload, timeout=0.5, expected=1, cb=None):\n if self.is_draining:\n raise ErrConnectionDraining\n if cb is not None:\n next... |
def x(self, subject, payload, timeout=0.5):
next_inbox = INBOX_PREFIX[:]
next_inbox.extend(self._nuid.next())
inbox = str(next_inbox)
future = tornado.concurrent.Future()
sid = yield self.subscribe(subject=inbox, queue=_EMPTY_, cb=None,
future=future, max_msgs=1)
yield self.auto_unsubscribe(sid, 1)
yield self.publish_request(subject, inbox, payload)
msg = yield tornado.gen.with_timeout(timedelta(seconds=timeout), future)
raise tornado.gen.Return(msg)
| timed_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject, payload, timeout=0.5):\n next_inbox = INBOX_PREFIX[:]\n next_inbox.extend(self._nuid.next())\n inbox = str(next_inbox)\n future = to... |
def x(self, subject='', queue='', cb=None, future=None, max_msgs=0,
is_async=False, pending_msgs_limit=DEFAULT_SUB_PENDING_MSGS_LIMIT,
pending_bytes_limit=DEFAULT_SUB_PENDING_BYTES_LIMIT):
if self.is_closed:
raise ErrConnectionClosed
if self.is_draining:
raise ErrConnectionDraining
self._ssid += 1
sid = self._ssid
sub = Subscription(subject=subject, queue=queue, cb=cb, future=future,
max_msgs=max_msgs, is_async=is_async, sid=sid)
self._subs[sid] = sub
if cb is not None:
sub.pending_msgs_limit = pending_msgs_limit
sub.pending_bytes_limit = pending_bytes_limit
sub.pending_queue = tornado.queues.Queue(maxsize=pending_msgs_limit)
@tornado.gen.coroutine
def x():
while True:
sub = wait_for_msgs.sub
err_cb = wait_for_msgs.err_cb
try:
sub = wait_for_msgs.sub
if sub.closed:
break
msg = yield sub.pending_queue.get()
if msg is None:
break
sub.received += 1
sub.pending_size -= len(msg.data)
if sub.max_msgs > 0 and sub.received >= sub.max_msgs:
self._subs.pop(sub.sid, None)
self._remove_subscription(sub)
if sub.is_async:
self._loop.spawn_callback(sub.cb, msg)
else:
yield sub.cb(msg)
except Exception as e:
if err_cb is not None:
yield err_cb(e)
wait_for_msgs.sub = sub
wait_for_msgs.err_cb = self._error_cb
self._loop.spawn_callback(wait_for_msgs)
elif future is not None:
sub.future = future
sub_cmd = b''.join([SUB_OP, _SPC_, sub.subject.encode(), _SPC_, sub.
queue.encode(), _SPC_, ('%d' % sid).encode(), _CRLF_])
yield self.send_command(sub_cmd)
yield self._flush_pending()
raise tornado.gen.Return(sid)
| subscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject='', queue='', cb=None, future=None, max_msgs=0,\n is_async=False, pending_msgs_limit=DEFAULT_SUB_PENDING_MSGS_LIMIT,\n pending_bytes_limit=... |
def x(self, subject, **kwargs):
kwargs['is_async'] = True
sid = yield self.subscribe(subject, **kwargs)
raise tornado.gen.Return(sid)
| subscribe_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject, **kwargs):\n kwargs['is_async'] = True\n sid = yield self.subscribe(subject, **kwargs)\n raise tornado.gen.Return(sid)\n",
"role": ... |
def x(self, ssid, max_msgs=0):
if self.is_closed:
raise ErrConnectionClosed
sub = None
try:
sub = self._subs[ssid]
except KeyError:
return
if max_msgs == 0 or sub.received >= max_msgs:
self._subs.pop(ssid, None)
self._remove_subscription(sub)
if not self.is_reconnecting:
yield self.auto_unsubscribe(ssid, max_msgs)
| unsubscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ssid, max_msgs=0):\n if self.is_closed:\n raise ErrConnectionClosed\n sub = None\n try:\n sub = self._subs[ssid]\n except KeyEr... |
def x(self, sid, limit=1):
if self.is_draining:
raise ErrConnectionDraining
yield self._unsubscribe(sid, limit)
| auto_unsubscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sid, limit=1):\n if self.is_draining:\n raise ErrConnectionDraining\n yield self._unsubscribe(sid, limit)\n",
"role": "user"
},
{
... |
def x(self):
yield self.send_command(PONG_PROTO)
if self._flush_queue.empty():
yield self._flush_pending()
| process_ping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n yield self.send_command(PONG_PROTO)\n if self._flush_queue.empty():\n yield self._flush_pending()\n",
"role": "user"
},
{
"co... |
def x(self, sid, subject, reply, data):
payload_size = len(data)
self.stats['in_msgs'] += 1
self.stats['in_bytes'] += payload_size
msg = Msg(subject=subject.decode(), reply=reply.decode(), data=data)
sub = self._subs.get(sid)
if sub is None:
raise tornado.gen.Return()
if sub.future is not None:
sub.future.set_result(msg)
self._subs.pop(sid, None)
self._remove_subscription(sub)
raise tornado.gen.Return()
try:
sub.pending_size += payload_size
if sub.pending_size >= sub.pending_bytes_limit:
sub.pending_size -= payload_size
if self._error_cb is not None:
yield self._error_cb(ErrSlowConsumer())
raise tornado.gen.Return()
sub.pending_queue.put_nowait(msg)
except tornado.queues.QueueFull:
if self._error_cb is not None:
yield self._error_cb(ErrSlowConsumer())
| process_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sid, subject, reply, data):\n payload_size = len(data)\n self.stats['in_msgs'] += 1\n self.stats['in_bytes'] += payload_size\n msg = Msg(subj... |
def x(self):
line = yield self.io.read_until(_CRLF_, max_bytes=None)
_, args = line.split(INFO_OP + _SPC_, 1)
self._server_info = tornado.escape.json_decode(args)
if 'max_payload' in self._server_info:
self._max_payload_size = self._server_info['max_payload']
if 'tls_required' in self._server_info and self._server_info['tls_required'
]:
self._loop.remove_handler(self._socket.fileno())
tls_opts = {}
if 'tls' in self.options:
tls_opts = self.options['tls']
self._socket = ssl.wrap_socket(self._socket,
do_handshake_on_connect=False, **tls_opts)
self.io = tornado.iostream.SSLIOStream(self._socket)
self.io.set_close_callback(self._process_op_err)
self.io._do_ssl_handshake()
if self.is_reconnecting:
self._ps.reset()
cmd = self.connect_command()
yield self.io.write(cmd)
yield self.io.write(PING_PROTO)
next_op = yield self.io.read_until(_CRLF_, max_bytes=MAX_CONTROL_LINE_SIZE)
if self.options['verbose'] and OK_OP in next_op:
next_op = yield self.io.read_until(_CRLF_, max_bytes=
MAX_CONTROL_LINE_SIZE)
if ERR_OP in next_op:
err_line = next_op.decode()
_, err_msg = err_line.split(_SPC_, 1)
raise NatsError('nats: ' + err_msg.rstrip('\r\n'))
if PONG_PROTO in next_op:
self._status = Client.CONNECTED
self._loop.spawn_callback(self._read_loop)
self._pongs = []
self._pings_outstanding = 0
self._ping_timer = tornado.ioloop.PeriodicCallback(self._ping_interval,
self.options['ping_interval'] * 1000)
self._ping_timer.start()
self._flush_queue = tornado.queues.Queue(maxsize=1024)
self._loop.spawn_callback(self._flusher_loop)
| process_connect_init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n line = yield self.io.read_until(_CRLF_, max_bytes=None)\n _, args = line.split(INFO_OP + _SPC_, 1)\n self._server_info = tornado.escape.json_... |
def x(self, info_line):
info = tornado.escape.json_decode(info_line.decode())
if 'connect_urls' in info:
if info['connect_urls']:
connect_urls = []
for connect_url in info['connect_urls']:
uri = urlparse('nats://%s' % connect_url)
srv = Srv(uri)
srv.discovered = True
should_add = True
for s in self._server_pool:
if uri.netloc == s.uri.netloc:
should_add = False
if should_add:
connect_urls.append(srv)
if self.options['dont_randomize'] is not True:
shuffle(connect_urls)
for srv in connect_urls:
self._server_pool.append(srv)
| process_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, info_line):\n info = tornado.escape.json_decode(info_line.decode())\n if 'connect_urls' in info:\n if info['connect_urls']:\n con... |
def x(self):
if self.options['dont_randomize']:
server = self._server_pool.pop(0)
self._server_pool.append(server)
else:
shuffle(self._server_pool)
s = None
for server in self._server_pool:
if self.options['max_reconnect_attempts'
] > 0 and server.reconnects > self.options['max_reconnect_attempts'
]:
continue
else:
s = server
return s
| next_server | [
{
"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.options['dont_randomize']:\n server = self._server_pool.pop(0)\n self._server_pool.append(server)\n else:\n shuffle... |
def x(self, err=None):
if self.is_connecting or self.is_closed or self.is_reconnecting:
return
if self.options['allow_reconnect'] and self.is_connected:
self._status = Client.RECONNECTING
yield self._attempt_reconnect()
else:
self._status = Client.DISCONNECTED
self._err = err
yield self._close(Client.CLOSED)
| process_op_err | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, err=None):\n if self.is_connecting or self.is_closed or self.is_reconnecting:\n return\n if self.options['allow_reconnect'] and self.is_conn... |
def x(self):
while True:
if len(self._server_pool) == 0:
self._current_server = None
raise ErrNoServers
now = time.time()
s = self._server_pool.pop(0)
if self.options['max_reconnect_attempts'] > 0:
if s.reconnects > self.options['max_reconnect_attempts']:
continue
self._server_pool.append(s)
if s.last_attempt is not None and now < s.last_attempt + self.options[
'reconnect_time_wait']:
yield tornado.gen.sleep(self.options['reconnect_time_wait'])
try:
yield self._server_connect(s)
self._current_server = s
break
except Exception as e:
s.last_attempt = time.time()
s.reconnects += 1
self._err = e
if self._error_cb is not None:
self._error_cb(e)
self._status = Client.RECONNECTING
continue
| select_next_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n if len(self._server_pool) == 0:\n self._current_server = None\n raise ErrNoServers\n now = time.t... |
def x(self, status, do_callbacks=True):
if self.is_closed:
self._status = status
return
self._status = Client.CLOSED
yield self._end_flusher_loop()
if self._ping_timer is not None and self._ping_timer.is_running():
self._ping_timer.stop()
if not self.io.closed():
self.io.close()
for ssid, sub in self._subs.items():
self._subs.pop(ssid, None)
self._remove_subscription(sub)
if do_callbacks:
if self._disconnected_cb is not None:
self._disconnected_cb()
if self._closed_cb is not None:
self._closed_cb()
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status, do_callbacks=True):\n if self.is_closed:\n self._status = status\n return\n self._status = Client.CLOSED\n yield self._end... |
def x(self, sid=None):
if self.is_draining:
return
if self.is_closed:
raise ErrConnectionClosed
if self.is_connecting or self.is_reconnecting:
raise ErrConnectionReconnecting
if sid is not None:
raise tornado.gen.Return(self._drain_sub(sid))
self._status = Client.DRAINING_SUBS
drain_tasks = []
for ssid, sub in self._subs.items():
task = self._drain_sub(ssid)
drain_tasks.append(task)
drain_is_done = tornado.gen.multi(drain_tasks)
try:
yield tornado.gen.with_timeout(timedelta(seconds=self.options[
'drain_timeout']), drain_is_done)
except tornado.gen.TimeoutError:
if self._error_cb is not None:
yield self._error_cb(ErrDrainTimeout())
finally:
self._status = Client.DRAINING_PUBS
yield self.flush()
yield self.close()
| drain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sid=None):\n if self.is_draining:\n return\n if self.is_closed:\n raise ErrConnectionClosed\n if self.is_connecting or self.is_rec... |
def x(self, err=None):
self.stats['errors_received'] += 1
if err == "'Authorization Violation'":
self._err = ErrAuthorization
elif err == "'Slow Consumer'":
self._err = ErrSlowConsumer
elif err == "'Stale Connection'":
self._err = ErrStaleConnection
else:
self._err = Exception(err)
if self._error_cb is not None:
self._error_cb(err)
| process_err | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, err=None):\n self.stats['errors_received'] += 1\n if err == \"'Authorization Violation'\":\n self._err = ErrAuthorization\n elif err == \... |
def x(self, data=''):
while True:
if not self.is_connected or self.is_connecting or self.io.closed():
break
try:
yield self.io.read_bytes(DEFAULT_READ_CHUNK_SIZE,
streaming_callback=self._ps.parse, partial=True)
except tornado.iostream.StreamClosedError as e:
self._err = e
if (self._error_cb is not None and not self.is_reconnecting and
not self.is_closed):
self._error_cb(e)
break
| read_loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=''):\n while True:\n if not self.is_connected or self.is_connecting or self.io.closed():\n break\n try:\n yie... |
def x(self):
while True:
pending = []
pending_size = 0
try:
yield self._flush_queue.get()
if not self.is_connected or self.is_connecting or self.io.closed():
break
if self._pending_size > 0:
cmds = b''.join(self._pending)
self._pending, pending = [], self._pending
self._pending_size, pending_size = 0, self._pending_size
yield self.io.write(cmds)
except tornado.iostream.StreamBufferFullError:
self._pending = pending + self._pending
self._pending_size += pending_size
except tornado.iostream.StreamClosedError as e:
self._pending = pending + self._pending
self._pending_size += pending_size
yield self._process_op_err(e)
| flusher_loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n pending = []\n pending_size = 0\n try:\n yield self._flush_queue.get()\n if not self.is_co... |
def x(self):
if not self.is_connected or self.is_connecting or self.io.closed():
if self._flush_queue is not None and self._flush_queue.empty():
self._flush_pending(check_connected=False)
yield tornado.gen.moment
| end_flusher_loop | [
{
"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_connected or self.is_connecting or self.io.closed():\n if self._flush_queue is not None and self._flush_queue.empty():\n ... |
def x(a, b):
key = None
try:
if a is None or isinstance(a, (six.string_types, float, six.
integer_types)):
a = b
elif isinstance(a, list):
if isinstance(b, list):
a.extend(b)
else:
a.append(b)
elif isinstance(a, dict):
if isinstance(b, dict):
for key in b:
if key in a:
a[key] = data_merge(a[key], b[key])
else:
a[key] = b[key]
else:
raise YamlReaderError(
'Cannot merge non-dict "%s" into dict "%s"' % (b, a))
else:
raise YamlReaderError('NOT IMPLEMENTED "%s" into "%s"' % (b, a))
except TypeError as e:
raise YamlReaderError(
'TypeError "%s" in key "%s" when merging "%s" into "%s"' % (e,
key, b, a))
return a
| data_merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n key = None\n try:\n if a is None or isinstance(a, (six.string_types, float, six.\n integer_types)):\n a = b\n ... |
def x(source, defaultdata=NO_DEFAULT):
logger = logging.getLogger(__name__)
logger.debug('initialized with source=%s, defaultdata=%s', source,
defaultdata)
if defaultdata is NO_DEFAULT:
data = None
else:
data = defaultdata
files = []
if type(source) is not str and len(source) == 1:
source = source[0]
if type(source) is list or type(source) is tuple:
files = source
elif os.path.isdir(source):
files = sorted(glob.glob(os.path.join(source, '*.yaml')))
elif os.path.isfile(source):
files = [source]
else:
files = sorted(glob.glob(source))
if files:
logger.debug('Reading %s\n', ', '.join(files))
for yaml_file in files:
try:
with open(yaml_file) as f:
new_data = safe_load(f)
logger.debug('YAML LOAD: %s', new_data)
except MarkedYAMLError as e:
logger.error('YAML Error: %s', e)
raise YamlReaderError('YAML Error: %s' % str(e))
if new_data is not None:
data = data_merge(data, new_data)
elif defaultdata is NO_DEFAULT:
logger.error('No YAML data found in %s and no default data given',
source)
raise YamlReaderError('No YAML data found in %s' % source)
return data
| yaml_load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, defaultdata=NO_DEFAULT):\n logger = logging.getLogger(__name__)\n logger.debug('initialized with source=%s, defaultdata=%s', source,\n def... |
def x(self, which_viz='viz'):
if hasattr(self, 'widget_class') == True:
self.widget_instance = self.widget_class(network=self.
export_viz_to_widget(which_viz))
return self.widget_instance
else:
print(
'Can not make widget because Network has no attribute widget_class'
)
print(
'Please instantiate Network with clustergrammer_widget using: Network(clustergrammer_widget)'
)
| widget | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, which_viz='viz'):\n if hasattr(self, 'widget_class') == True:\n self.widget_instance = self.widget_class(network=self.\n export_viz_... |
def x(self, d1, d2):
curr = datetime.datetime.combine(d1, datetime.time())
end = datetime.datetime.combine(d2, datetime.time())
if d1.date() == d2.date():
yield curr
return
while curr < end:
yield curr
curr = curr + datetime.timedelta(days=1)
| iterdays | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, d1, d2):\n curr = datetime.datetime.combine(d1, datetime.time())\n end = datetime.datetime.combine(d2, datetime.time())\n if d1.date() == d2.dat... |
def x(self, d1, d2):
for dt in self.iterdays(d1, d2):
if not self.isweekend(dt):
yield dt
| iterweekdays | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, d1, d2):\n for dt in self.iterdays(d1, d2):\n if not self.isweekend(dt):\n yield dt\n",
"role": "user"
},
{
"content": "... |
def x(self, d1, d2):
assert d2 >= d1
if d1.date() == d2.date() and d2.time() < self.business_hours[0]:
return
first = True
for dt in self.iterdays(d1, d2):
if first and d1.time() > self.business_hours[1]:
first = False
continue
first = False
if not self.isweekend(dt) and not self.isholiday(dt):
yield dt
| iterbusinessdays | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, d1, d2):\n assert d2 >= d1\n if d1.date() == d2.date() and d2.time() < self.business_hours[0]:\n return\n first = True\n for dt in sel... |
def x(self, d1, d2):
if d1 > d2:
d1, d2, timedelta_direction = d2, d1, -1
else:
timedelta_direction = 1
businessdays = self._build_spanning_datetimes(d1, d2)
time = datetime.timedelta()
if len(businessdays) == 0:
if self.isduringbusinesshours(d2):
time += d2 - datetime.datetime.combine(d2, self.business_hours[0])
elif not self.isbusinessday(d1) and self.isbusinessday(d2):
if d2.time() > self.business_hours[1]:
time += datetime.datetime.combine(d2, self.business_hours[1]
) - datetime.datetime.combine(d2, self.business_hours[0])
elif d2.time() > self.business_hours[0]:
time += d2 - datetime.datetime.combine(d2, self.
business_hours[0])
else:
prev = None
current = None
count = 0
for d in businessdays:
if current is None:
current = d
current = datetime.datetime.combine(d, current.time())
if prev is not None:
if prev.date() != current.date():
time += datetime.timedelta(days=1)
if count == len(businessdays) - 1:
if current > d:
time -= datetime.timedelta(days=1)
time += self.open_hours - (current - d)
else:
time += d - current
count += 1
prev = current
return time * timedelta_direction
| businesstimedelta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, d1, d2):\n if d1 > d2:\n d1, d2, timedelta_direction = d2, d1, -1\n else:\n timedelta_direction = 1\n businessdays = self._build_s... |
def x(self, d1, d2):
open_hours = self.open_hours.seconds / 3600
btd = self.businesstimedelta(d1, d2)
btd_hours = btd.seconds / 3600
return datetime.timedelta(hours=btd.days * open_hours + btd_hours)
| businesstime_hours | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, d1, d2):\n open_hours = self.open_hours.seconds / 3600\n btd = self.businesstimedelta(d1, d2)\n btd_hours = btd.seconds / 3600\n return datet... |
def x(self, rule, dt):
if dt.weekday() == 4:
sat = dt + datetime.timedelta(days=1)
if super(USFederalHolidays, self)._day_rule_matches(rule, sat):
return True
elif dt.weekday() == 0:
sun = dt - datetime.timedelta(days=1)
if super(USFederalHolidays, self)._day_rule_matches(rule, sun):
return True
return super(USFederalHolidays, self)._day_rule_matches(rule, dt)
| day_rule_matches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rule, dt):\n if dt.weekday() == 4:\n sat = dt + datetime.timedelta(days=1)\n if super(USFederalHolidays, self)._day_rule_matches(rule, s... |
def x(self, path: Union[str, pathlib.Path], api) ->Optional[HookResult]:
| act_on_cloned_repo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path: Union[str, pathlib.Path], api) ->Optional[HookResult]:\n",
"role": "user"
},
{
"content": "act_on_cloned_repo",
"role": "assistant"... |
def x(self, master_repo_name: str, students: Iterable[str], num_reviews:
int, review_team_name_function: Callable[[str, str], str]) ->Mapping[
str, List[str]]:
| generate_review_allocations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, master_repo_name: str, students: Iterable[str], num_reviews:\n int, review_team_name_function: Callable[[str, str], str]) ->Mapping[\n str, List[st... |
def x(self, hashroot, key, value):
hroot = self.root / hashroot
if not hroot.is_dir():
hroot.mkdir()
hfile = hroot / gethashfile(key)
d = self.get(hfile, {})
d.update({key: value})
self[hfile] = d
| hset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hashroot, key, value):\n hroot = self.root / hashroot\n if not hroot.is_dir():\n hroot.mkdir()\n hfile = hroot / gethashfile(key)\n d ... |
def x(self, hashroot, key, default=_sentinel, fast_only=True):
hroot = self.root / hashroot
hfile = hroot / gethashfile(key)
d = self.get(hfile, _sentinel)
if d is _sentinel:
if fast_only:
if default is _sentinel:
raise KeyError(key)
return default
d = self.hdict(hashroot)
return d.get(key, default)
| hget | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hashroot, key, default=_sentinel, fast_only=True):\n hroot = self.root / hashroot\n hfile = hroot / gethashfile(key)\n d = self.get(hfile, _sent... |
def x(self, hashroot):
hfiles = self.keys(hashroot + '/*')
all = {}
for f in hfiles:
all.update(self[f])
self.uncache(f)
self[hashroot + '/xx'] = all
for f in hfiles:
p = self.root / f
if p.name == 'xx':
continue
p.unlink()
| hcompress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hashroot):\n hfiles = self.keys(hashroot + '/*')\n all = {}\n for f in hfiles:\n all.update(self[f])\n self.uncache(f)\n self[h... |
def x(self, globpat=None):
if globpat is None:
files = self.root.rglob('*')
else:
files = self.root.glob(globpat)
return [self._normalized(p) for p in files if p.is_file()]
| keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, globpat=None):\n if globpat is None:\n files = self.root.rglob('*')\n else:\n files = self.root.glob(globpat)\n return [self._norm... |
def x(self, *items):
if not items:
self.cache = {}
for it in items:
self.cache.pop(it, None)
| uncache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *items):\n if not items:\n self.cache = {}\n for it in items:\n self.cache.pop(it, None)\n",
"role": "user"
},
{
"content... |
def x(self, key, maxwaittime=60):
wtimes = [0.2] * 3 + [0.5] * 2 + [1]
tries = 0
waited = 0
while 1:
try:
val = self[key]
return val
except KeyError:
pass
if waited > maxwaittime:
raise KeyError(key)
time.sleep(wtimes[tries])
waited += wtimes[tries]
if tries < len(wtimes) - 1:
tries += 1
| waitget | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, maxwaittime=60):\n wtimes = [0.2] * 3 + [0.5] * 2 + [1]\n tries = 0\n waited = 0\n while 1:\n try:\n val = self[key]\n... |
def x(physical_line, tokens):
for token_type, text, start_index, _, _ in tokens:
if token_type == tokenize.COMMENT:
pos = text.find('TODO')
pos1 = text.find('TODO(')
if pos != pos1:
return pos + start_index[1], 'H101: Use TODO(NAME)'
| hacking_todo_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line, tokens):\n for token_type, text, start_index, _, _ in tokens:\n if token_type == tokenize.COMMENT:\n pos = text.find('TODO'... |
def x(physical_line, filename, lines, line_number):
license_found = False
if line_number is 1 and len(lines) > 10 and _project_is_apache():
for idx, line in enumerate(lines):
if 0 <= line.find('Licensed under the Apache License') < 10:
license_found = True
if 0 <= line.find('SPDX-License-Identifier:') < 10:
license_found = True
if not license_found:
return 0, 'H102: Apache 2.0 license header not found'
| hacking_has_license | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line, filename, lines, line_number):\n license_found = False\n if line_number is 1 and len(lines) > 10 and _project_is_apache():\n for id... |
def x(physical_line, filename, lines, line_number):
if line_number is 1 and len(lines) > 10 and _project_is_apache():
for idx, line in enumerate(lines):
column = line.find('Licensed under the Apache License')
if 0 < column < 10 and not _check_for_exact_apache(idx, lines):
if line.find('SPDX-License-Identifier: Apache-2.0') <= 0:
return (column,
'H103: Header does not match Apache 2.0 License notice'
)
| hacking_has_correct_license | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line, filename, lines, line_number):\n if line_number is 1 and len(lines) > 10 and _project_is_apache():\n for idx, line in enumerate(lines)... |
def x(physical_line, filename, lines, line_number):
if line_number == 1 and all(map(EMPTY_LINE_RE.match, lines)):
return 0, 'H104: File contains nothing but comments'
| hacking_has_only_comments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line, filename, lines, line_number):\n if line_number == 1 and all(map(EMPTY_LINE_RE.match, lines)):\n return 0, 'H104: File contains nothin... |
def x():
global _is_apache_cache
if _is_apache_cache is not None:
return _is_apache_cache
license_files = ['LICENSE']
for filename in license_files:
try:
with open(filename, 'r') as file:
for line in file:
if re.search('Apache License', line):
_is_apache_cache = True
return True
except IOError:
pass
_is_apache_cache = False
return False
| project_is_apache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global _is_apache_cache\n if _is_apache_cache is not None:\n return _is_apache_cache\n license_files = ['LICENSE']\n for filename in li... |
def x(start, lines):
APACHE2 = """
Licensed under the Apache License, Version 2.0 (the "License"); you may
not use this file except in compliance with the License. You may obtain
a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
License for the specific language governing permissions and limitations
under the License."""
content = ''.join(lines[start:start + 12])
content = re.sub('\\#', '', content)
content = re.sub('\\s+', ' ', content).strip()
stripped_apache2 = re.sub('\\s+', ' ', APACHE2).strip()
if stripped_apache2 in content:
return True
else:
print("<license>!=<apache2>:\n'%s' !=\n'%s'" % (content,
stripped_apache2))
return False
| check_for_exact_apache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, lines):\n APACHE2 = \"\"\"\nLicensed under the Apache License, Version 2.0 (the \"License\"); you may\nnot use this file except in compliance with th... |
def x(physical_line):
for regex in AUTHOR_TAG_RE:
if regex.match(physical_line):
physical_line = physical_line.lower()
pos = physical_line.find('moduleauthor')
if pos < 0:
pos = physical_line.find('author')
return pos, "H105: Don't use author tags"
| hacking_no_author_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line):\n for regex in AUTHOR_TAG_RE:\n if regex.match(physical_line):\n physical_line = physical_line.lower()\n pos = ... |
def x(logical_line, noqa):
if noqa:
return
def x(logical_line):
return ',' in logical_line and ')' not in logical_line.rpartition(',')[
2]
if logical_line.startswith('except ') and logical_line.endswith(':'
) and is_old_style_except(logical_line):
yield 0, "H231: Python 3.x incompatible 'except x,y:' construct"
| hacking_python3x_except_compatible | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, noqa):\n if noqa:\n return\n\n def x(logical_line):\n return ',' in logical_line and ')' not in logical_line.rpartition(',')[... |
def x(logical_line, tokens, noqa):
if noqa:
return
for token_type, text, _, _, _ in tokens:
if token_type == tokenize.NUMBER:
match = RE_OCTAL.match(text)
if match:
yield 0, 'H232: Python 3.x incompatible octal %s should be written as 0o%s ' % (
match.group(0)[1:], match.group(1))
| hacking_python3x_octal_literals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, tokens, noqa):\n if noqa:\n return\n for token_type, text, _, _, _ in tokens:\n if token_type == tokenize.NUMBER:\n ... |
def x(logical_line, noqa):
if noqa:
return
for match in RE_PRINT.finditer(logical_line):
yield match.start(0
), 'H233: Python 3.x incompatible use of print operator'
| hacking_python3x_print_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, noqa):\n if noqa:\n return\n for match in RE_PRINT.finditer(logical_line):\n yield match.start(0\n ), 'H233: Pytho... |
def x(logical_line, tokens, noqa):
if noqa:
return
for token_type, text, start_index, _, _ in tokens:
if token_type == tokenize.NAME:
if text == 'assertEquals' or text == 'assertNotEquals':
yield start_index[1], 'H234: %s is deprecated, use %s' % (text,
text[:-1])
| hacking_no_assert_equals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, tokens, noqa):\n if noqa:\n return\n for token_type, text, start_index, _, _ in tokens:\n if token_type == tokenize.NAME:\n ... |
def x(logical_line, noqa):
if noqa:
return
split_line = logical_line.split()
if len(split_line) > 2 and split_line[0] == '__metaclass__' and split_line[
1] == '=':
yield logical_line.find('__metaclass__'
), 'H236: Python 3.x incompatible __metaclass__, use six.add_metaclass()'
| hacking_python3x_metaclass | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, noqa):\n if noqa:\n return\n split_line = logical_line.split()\n if len(split_line) > 2 and split_line[0] == '__metaclass__' and ... |
def x(logical_line, noqa):
if noqa:
return
line = core.import_normalize(logical_line.strip())
if line and line.split()[0] == 'import':
module_name = line.split()[1].split('.')[0]
if module_name in removed_modules:
yield 0, 'H237: module %s is removed in Python 3' % module_name
| hacking_no_removed_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, noqa):\n if noqa:\n return\n line = core.import_normalize(logical_line.strip())\n if line and line.split()[0] == 'import':\n ... |
def x(logical_line, noqa):
if noqa:
return
line = core.import_normalize(logical_line.strip())
if line.startswith('class ') and not RE_NEW_STYLE_CLASS.match(line):
yield 0, 'H238: old style class declaration, use new style (inherit from `object`)'
| hacking_no_old_style_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, noqa):\n if noqa:\n return\n line = core.import_normalize(logical_line.strip())\n if line.startswith('class ') and not RE_NEW_STY... |
def x(physical_line, line_number, lines):
if (line_number <= 5 or line_number > len(lines) - 5
) and vim_header_re.match(physical_line):
return 0, "H106: Don't put vim configuration in source files"
| no_vim_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line, line_number, lines):\n if (line_number <= 5 or line_number > len(lines) - 5\n ) and vim_header_re.match(physical_line):\n retur... |
def x(logical_line, filename, noqa):
if noqa:
return
split_line = logical_line.split()
split_line_len = len(split_line)
if split_line_len > 1 and split_line[0] in ('import', 'from'
) and not core.is_import_exception(split_line[1]):
pos = logical_line.find(',')
if pos != -1:
if split_line[0] == 'from':
yield pos, 'H301: one import per line'
pos = logical_line.find('*')
if pos != -1:
yield pos, 'H303: No wildcard (*) import.'
return
if split_line_len in (2, 4, 6) and split_line[1] != '__future__':
if 'from' == split_line[0] and split_line_len > 3:
mod = '.'.join((split_line[1], split_line[3]))
if core.is_import_exception(mod):
return
if RE_RELATIVE_IMPORT.search(logical_line):
yield logical_line.find('.'
), "H304: No relative imports. '%s' is a relative import" % logical_line
return
| hacking_import_rules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, filename, noqa):\n if noqa:\n return\n split_line = logical_line.split()\n split_line_len = len(split_line)\n if split_line_le... |
def x(logical_line, blank_before, previous_logical, indent_level,
previous_indent_level):
if blank_before < 1 and indent_level == previous_indent_level:
split_line = core.import_normalize(logical_line.strip()).lower().split(
)
split_previous = core.import_normalize(previous_logical.strip()).lower(
).split()
length = [2, 4]
if len(split_line) in length and len(split_previous
) in length and split_line[0] == 'import' and split_previous[0
] == 'import':
if split_line[1] < split_previous[1]:
yield 0, 'H306: imports not in alphabetical order (%s, %s)' % (
split_previous[1], split_line[1])
| hacking_import_alphabetical | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, blank_before, previous_logical, indent_level,\n previous_indent_level):\n if blank_before < 1 and indent_level == previous_indent_level:\n ... |
def x(mod):
return mod in IMPORT_EXCEPTIONS or any(mod.startswith(m + '.') for m in
IMPORT_EXCEPTIONS)
| is_import_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mod):\n return mod in IMPORT_EXCEPTIONS or any(mod.startswith(m + '.') for m in\n IMPORT_EXCEPTIONS)\n",
"role": "user"
},
{
"content": "... |
def x(self):
if self.name and self.name not in self.__class__._has_run:
self.__class__._has_run.add(self.name)
ret = self.run_once()
if ret is not None:
yield ret
| run | [
{
"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 and self.name not in self.__class__._has_run:\n self.__class__._has_run.add(self.name)\n ret = self.run_once()\n ... |
def x(logical_line, tokens, noqa):
if noqa:
return
for_formatting = False
for token_type, text, start, _, _ in tokens:
if text == '%' and token_type == tokenize.OP:
for_formatting = True
if for_formatting and token_type == tokenize.NAME:
for k, v in LOCALS_TEXT_MAP.items():
if text == k and v in logical_line:
yield start[1
], 'H501: Do not use %s for string formatting' % v
| hacking_no_locals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, tokens, noqa):\n if noqa:\n return\n for_formatting = False\n for token_type, text, start, _, _ in tokens:\n if text == '%... |
def x(physical_line, previous_logical, tokens):
docstring = is_docstring(tokens, previous_logical)
if docstring:
start, start_triple = _find_first_of(docstring, START_DOCSTRING_TRIPLE)
if docstring[len(start_triple)] == ' ':
return 0, 'H401: docstring should not start with a space'
| hacking_docstring_start_space | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line, previous_logical, tokens):\n docstring = is_docstring(tokens, previous_logical)\n if docstring:\n start, start_triple = _find_first... |
def x(physical_line, previous_logical, tokens):
docstring = is_docstring(tokens, previous_logical)
if docstring:
if '\n' not in docstring:
return
else:
last_line = docstring.split('\n')[-1]
pos = max(last_line.rfind(i) for i in END_DOCSTRING_TRIPLE)
if len(last_line[:pos].strip()) > 0:
return pos, 'H403: multi line docstrings should end on a new line'
| hacking_docstring_multiline_end | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line, previous_logical, tokens):\n docstring = is_docstring(tokens, previous_logical)\n if docstring:\n if '\\n' not in docstring:\n ... |
def x(physical_line, previous_logical, tokens):
docstring = is_docstring(tokens, previous_logical)
if docstring:
if '\n' not in docstring:
return
start, start_triple = _find_first_of(docstring, START_DOCSTRING_TRIPLE)
lines = docstring.split('\n')
if lines[0].strip() == start_triple:
return (0,
'H404: multi line docstring should start without a leading new line'
)
| hacking_docstring_multiline_start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line, previous_logical, tokens):\n docstring = is_docstring(tokens, previous_logical)\n if docstring:\n if '\\n' not in docstring:\n ... |
def x(physical_line, previous_logical, tokens):
docstring = is_docstring(tokens, previous_logical)
if docstring:
if '\n' not in docstring:
return
lines = docstring.split('\n')
if len(lines) > 1 and len(lines[1].strip()) is not 0:
return (0,
'H405: multi line docstring summary not separated with an empty line'
)
| hacking_docstring_summary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical_line, previous_logical, tokens):\n docstring = is_docstring(tokens, previous_logical)\n if docstring:\n if '\\n' not in docstring:\n ... |
def x(tokens, previous_logical):
for token_type, text, start, _, _ in tokens:
if token_type == tokenize.STRING:
break
elif token_type != tokenize.INDENT:
return False
else:
return False
line = text.lstrip()
start, start_triple = _find_first_of(line, START_DOCSTRING_TRIPLE)
if previous_logical.startswith('def ') or previous_logical.startswith(
'class '):
if start == 0:
return text
| is_docstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, previous_logical):\n for token_type, text, start, _, _ in tokens:\n if token_type == tokenize.STRING:\n break\n elif token_... |
def x(line, substrings):
starts = ((line.find(i), i) for i in substrings)
found = [(i, sub) for i, sub in starts if i != -1]
if found:
return min(found)
else:
return -1, None
| find_first_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line, substrings):\n starts = ((line.find(i), i) for i in substrings)\n found = [(i, sub) for i, sub in starts if i != -1]\n if found:\n return... |
def x():
while True:
try:
token_type, text, _, _, line = yield
except GeneratorExit:
return
if text == 'def' and token_type == tokenize.NAME:
return
if token_type == tokenize.NAME and text in ['_', '_LI', '_LW',
'_LE', '_LC']:
while True:
token_type, text, start, _, _ = yield
if token_type != tokenize.NL:
break
if token_type != tokenize.OP or text != '(':
continue
format_string = ''
while True:
token_type, text, start, _, _ = yield
if token_type == tokenize.STRING:
format_string += eval(text)
elif token_type == tokenize.NL:
pass
else:
break
if not format_string:
raise LocalizationError(start,
'H701: Empty localization string')
if token_type != tokenize.OP:
raise LocalizationError(start,
'H701: Invalid localization call')
if text != ')':
if text == '%':
raise LocalizationError(start,
'H702: Formatting operation should be outside of localization method call'
)
elif text == '+':
raise LocalizationError(start,
'H702: Use bare string concatenation instead of +')
else:
raise LocalizationError(start,
'H702: Argument to _, _LI, _LW, _LC, or _LE must be just a string'
)
format_specs = FORMAT_RE.findall(format_string)
positional_specs = [(key, spec) for key, spec in format_specs if
not key and spec]
if len(positional_specs) > 1:
raise LocalizationError(start,
'H703: Multiple positional placeholders')
| check_i18n | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n while True:\n try:\n token_type, text, _, _, line = yield\n except GeneratorExit:\n return\n if text == 'def... |
def x(logical_line, tokens, noqa):
if noqa:
return
gen = check_i18n()
next(gen)
try:
list(map(gen.send, tokens))
gen.close()
except LocalizationError as e:
yield e.args
| hacking_localization_strings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logical_line, tokens, noqa):\n if noqa:\n return\n gen = check_i18n()\n next(gen)\n try:\n list(map(gen.send, tokens))\n gen.c... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.