source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(package, version):
if not exists(package):
return False
number, comparator = _split_version_specifier(version)
modversion = _query(package, '--modversion')
try:
result = _compare_versions(modversion, number)
except ValueError:
msg = '{0} is not a correct version specifier'.format(version)
raise ValueError(msg)
if comparator in ('', '=', '=='):
return result == 0
if comparator == '>':
return result > 0
if comparator == '>=':
return result >= 0
if comparator == '<':
return result < 0
if comparator == '<=':
return result <= 0
|
installed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package, version):\n if not exists(package):\n return False\n number, comparator = _split_version_specifier(version)\n modversion = _query(package, '--modversion')\n try:\n result = _compare_versions(modversion, number)\n except ValueError:\n msg = '{0} is not a correct version specifier'.format(version)\n raise ValueError(msg)\n if comparator in ('', '=', '=='):\n return result == 0\n if comparator == '>':\n return result > 0\n if comparator == '>=':\n return result >= 0\n if comparator == '<':\n return result < 0\n if comparator == '<=':\n return result <= 0\n",
"role": "user"
},
{
"content": "installed",
"role": "assistant"
}
] |
def x(packages, static=False):
for package in packages.split():
_raise_if_not_exists(package)
out = _query(packages, *_build_options('--cflags --libs', static=static))
out = out.replace('\\"', '')
result = collections.defaultdict(list)
for token in re.split('(?<!\\\\) ', out):
key = _PARSE_MAP.get(token[:2])
if key:
result[key].append(token[2:].strip())
def x(m):
t = tuple(m.split('='))
return t if len(t) > 1 else (t[0], None)
result['define_macros'] = [split(m) for m in result['define_macros']]
return collections.defaultdict(list, ((k, v) for k, v in result.items() if
v))
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packages, static=False):\n for package in packages.split():\n _raise_if_not_exists(package)\n out = _query(packages, *_build_options('--cflags --libs', static=static))\n out = out.replace('\\\\\"', '')\n result = collections.defaultdict(list)\n for token in re.split('(?<!\\\\\\\\) ', out):\n key = _PARSE_MAP.get(token[:2])\n if key:\n result[key].append(token[2:].strip())\n\n def x(m):\n t = tuple(m.split('='))\n return t if len(t) > 1 else (t[0], None)\n result['define_macros'] = [split(m) for m in result['define_macros']]\n return collections.defaultdict(list, ((k, v) for k, v in result.items() if\n v))\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, data, sample_rate=None):
if self._disabled:
self.logger.debug('Connection disabled, not sending data')
return False
if sample_rate is None:
sample_rate = self._sample_rate
sampled_data = {}
if sample_rate < 1:
if random.random() <= sample_rate:
for stat, value in compat.iter_dict(data):
sampled_data[stat] = '%s|@%s' % (data[stat], sample_rate)
else:
sampled_data = data
try:
for stat, value in compat.iter_dict(sampled_data):
send_data = ('%s:%s' % (stat, value)).encode('utf-8')
self.udp_sock.send(send_data)
return True
except Exception as e:
self.logger.exception('unexpected error %r while sending data', e)
return False
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, sample_rate=None):\n if self._disabled:\n self.logger.debug('Connection disabled, not sending data')\n return False\n if sample_rate is None:\n sample_rate = self._sample_rate\n sampled_data = {}\n if sample_rate < 1:\n if random.random() <= sample_rate:\n for stat, value in compat.iter_dict(data):\n sampled_data[stat] = '%s|@%s' % (data[stat], sample_rate)\n else:\n sampled_data = data\n try:\n for stat, value in compat.iter_dict(sampled_data):\n send_data = ('%s:%s' % (stat, value)).encode('utf-8')\n self.udp_sock.send(send_data)\n return True\n except Exception as e:\n self.logger.exception('unexpected error %r while sending data', e)\n return False\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
assert self._start is None, 'Unable to start, the timer is already running'
self._last = self._start = time.time()
return self
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self._start is None, 'Unable to start, the timer is already running'\n self._last = self._start = time.time()\n return self\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self, subname, delta):
ms = delta * 1000
if ms > self.min_send_threshold:
name = self._get_name(self.name, subname)
self.logger.info('%s: %0.08fms', name, ms)
return statsd.Client._send(self, {name: '%0.08f|ms' % ms})
else:
return True
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname, delta):\n ms = delta * 1000\n if ms > self.min_send_threshold:\n name = self._get_name(self.name, subname)\n self.logger.info('%s: %0.08fms', name, ms)\n return statsd.Client._send(self, {name: '%0.08f|ms' % ms})\n else:\n return True\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, subname):
t = time.time()
response = self.send(subname, t - self._last)
self._last = t
return response
|
intermediate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname):\n t = time.time()\n response = self.send(subname, t - self._last)\n self._last = t\n return response\n",
"role": "user"
},
{
"content": "intermediate",
"role": "assistant"
}
] |
def x(self, subname='total'):
assert self._stop is None, 'Unable to stop, the timer is already stopped'
self._stop = time.time()
return self.send(subname, self._stop - self._start)
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname='total'):\n assert self._stop is None, 'Unable to stop, the timer is already stopped'\n self._stop = time.time()\n return self.send(subname, self._stop - self._start)\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self, function_or_name):
if callable(function_or_name):
return self._decorate(function_or_name.__name__, function_or_name)
else:
return partial(self._decorate, function_or_name)
|
decorate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function_or_name):\n if callable(function_or_name):\n return self._decorate(function_or_name.__name__, function_or_name)\n else:\n return partial(self._decorate, function_or_name)\n",
"role": "user"
},
{
"content": "decorate",
"role": "assistant"
}
] |
def x(self, subname=None, class_=None):
if class_ is None:
class_ = Timer
timer = self.get_client(subname, class_)
timer.start()
yield
timer.stop('')
|
time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname=None, class_=None):\n if class_ is None:\n class_ = Timer\n timer = self.get_client(subname, class_)\n timer.start()\n yield\n timer.stop('')\n",
"role": "user"
},
{
"content": "time",
"role": "assistant"
}
] |
def x(self, subname, value, timestamp=None):
if timestamp is None:
ts = int(dt.datetime.now().strftime('%s'))
else:
ts = timestamp
name = self._get_name(self.name, subname)
self.logger.info('%s: %s %s' % (name, value, ts))
return statsd.Client._send(self, {name: '%s|r|%s' % (value, ts)})
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname, value, timestamp=None):\n if timestamp is None:\n ts = int(dt.datetime.now().strftime('%s'))\n else:\n ts = timestamp\n name = self._get_name(self.name, subname)\n self.logger.info('%s: %s %s' % (name, value, ts))\n return statsd.Client._send(self, {name: '%s|r|%s' % (value, ts)})\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, subname, value):
name = self._get_name(self.name, subname)
self.logger.info('%s: %s', name, value)
return statsd.Client._send(self, {name: '%s|g' % value})
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname, value):\n name = self._get_name(self.name, subname)\n self.logger.info('%s: %s', name, value)\n return statsd.Client._send(self, {name: '%s|g' % value})\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, subname, value):
assert isinstance(value, compat.NUM_TYPES)
return self._send(subname, value)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname, value):\n assert isinstance(value, compat.NUM_TYPES)\n return self._send(subname, value)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, subname=None, delta=1):
delta = int(delta)
sign = '+' if delta >= 0 else ''
return self._send(subname, '%s%d' % (sign, delta))
|
increment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname=None, delta=1):\n delta = int(delta)\n sign = '+' if delta >= 0 else ''\n return self._send(subname, '%s%d' % (sign, delta))\n",
"role": "user"
},
{
"content": "increment",
"role": "assistant"
}
] |
def x(self, subname=None, delta=1):
delta = -int(delta)
sign = '+' if delta >= 0 else ''
return self._send(subname, '%s%d' % (sign, delta))
|
decrement
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname=None, delta=1):\n delta = -int(delta)\n sign = '+' if delta >= 0 else ''\n return self._send(subname, '%s%d' % (sign, delta))\n",
"role": "user"
},
{
"content": "decrement",
"role": "assistant"
}
] |
def x(self, subname, value):
assert isinstance(value, compat.NUM_TYPES)
if value < 0:
self._send(subname, 0)
return self._send(subname, value)
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subname, value):\n assert isinstance(value, compat.NUM_TYPES)\n if value < 0:\n self._send(subname, 0)\n return self._send(subname, value)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, name=None, class_=None):
name = self._get_name(self.name, name)
if not class_:
class_ = self.__class__
return class_(name=name, connection=self.connection)
|
get_client
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, class_=None):\n name = self._get_name(self.name, name)\n if not class_:\n class_ = self.__class__\n return class_(name=name, connection=self.connection)\n",
"role": "user"
},
{
"content": "get_client",
"role": "assistant"
}
] |
def x(self, name=None):
return self.get_client(name=name, class_=statsd.Average)
|
get_average
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n return self.get_client(name=name, class_=statsd.Average)\n",
"role": "user"
},
{
"content": "get_average",
"role": "assistant"
}
] |
def x(self, name=None):
return self.get_client(name=name, class_=statsd.Counter)
|
get_counter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n return self.get_client(name=name, class_=statsd.Counter)\n",
"role": "user"
},
{
"content": "get_counter",
"role": "assistant"
}
] |
def x(self, name=None):
return self.get_client(name=name, class_=statsd.Gauge)
|
get_gauge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n return self.get_client(name=name, class_=statsd.Gauge)\n",
"role": "user"
},
{
"content": "get_gauge",
"role": "assistant"
}
] |
def x(self, name=None):
return self.get_client(name=name, class_=statsd.Raw)
|
get_raw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n return self.get_client(name=name, class_=statsd.Raw)\n",
"role": "user"
},
{
"content": "get_raw",
"role": "assistant"
}
] |
def x(self, name=None):
return self.get_client(name=name, class_=statsd.Timer)
|
get_timer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n return self.get_client(name=name, class_=statsd.Timer)\n",
"role": "user"
},
{
"content": "get_timer",
"role": "assistant"
}
] |
def x(cls, v_str):
if v_str is None:
cls._git_version = None
return
v_str = v_str.strip()
try:
version = cls._git_version = tuple(int(x) for x in v_str.split()[2]
.split('.')[:3])
except Exception:
raise ValueError(
'Could not parse git version output %r. Please report this' % v_str
)
return version
|
init_git_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, v_str):\n if v_str is None:\n cls._git_version = None\n return\n v_str = v_str.strip()\n try:\n version = cls._git_version = tuple(int(x) for x in v_str.split()[2]\n .split('.')[:3])\n except Exception:\n raise ValueError(\n 'Could not parse git version output %r. Please report this' % v_str\n )\n return version\n",
"role": "user"
},
{
"content": "init_git_version",
"role": "assistant"
}
] |
def x(self, remote, ref):
out = self.log_call(['git', 'ls-remote', remote, ref], cwd=self.cwd,
callwith=subprocess.check_output).strip()
for sha, fullref in (l.split() for l in out.splitlines()):
if fullref == 'refs/heads/' + ref:
return 'branch', sha
elif fullref == 'refs/tags/' + ref:
return 'tag', sha
elif fullref == ref and ref == 'HEAD':
return 'HEAD', sha
return None, ref
|
query_remote_ref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remote, ref):\n out = self.log_call(['git', 'ls-remote', remote, ref], cwd=self.cwd,\n callwith=subprocess.check_output).strip()\n for sha, fullref in (l.split() for l in out.splitlines()):\n if fullref == 'refs/heads/' + ref:\n return 'branch', sha\n elif fullref == 'refs/tags/' + ref:\n return 'tag', sha\n elif fullref == ref and ref == 'HEAD':\n return 'HEAD', sha\n return None, ref\n",
"role": "user"
},
{
"content": "query_remote_ref",
"role": "assistant"
}
] |
def x(self, cmd, callwith=subprocess.check_call, log_level=logging.DEBUG, **kw
):
logger.log(log_level, '%s> call %r', self.cwd, cmd)
ret = callwith(cmd, **kw)
if callwith == subprocess.check_output:
ret = console_to_str(ret)
return ret
|
log_call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, callwith=subprocess.check_call, log_level=logging.DEBUG, **kw\n ):\n logger.log(log_level, '%s> call %r', self.cwd, cmd)\n ret = callwith(cmd, **kw)\n if callwith == subprocess.check_output:\n ret = console_to_str(ret)\n return ret\n",
"role": "user"
},
{
"content": "log_call",
"role": "assistant"
}
] |
def x(self):
logger.info('Start aggregation of %s', self.cwd)
target_dir = self.cwd
is_new = not os.path.exists(target_dir)
if is_new:
self.init_repository(target_dir)
self._switch_to_branch(self.target['branch'])
for r in self.remotes:
self._set_remote(**r)
self.fetch()
merges = self.merges
if not is_new:
origin = merges[0]
merges = merges[1:]
self._reset_to(origin['remote'], origin['ref'])
for merge in merges:
self._merge(merge)
self._execute_shell_command_after()
logger.info('End aggregation of %s', self.cwd)
|
aggregate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logger.info('Start aggregation of %s', self.cwd)\n target_dir = self.cwd\n is_new = not os.path.exists(target_dir)\n if is_new:\n self.init_repository(target_dir)\n self._switch_to_branch(self.target['branch'])\n for r in self.remotes:\n self._set_remote(**r)\n self.fetch()\n merges = self.merges\n if not is_new:\n origin = merges[0]\n merges = merges[1:]\n self._reset_to(origin['remote'], origin['ref'])\n for merge in merges:\n self._merge(merge)\n self._execute_shell_command_after()\n logger.info('End aggregation of %s', self.cwd)\n",
"role": "user"
},
{
"content": "aggregate",
"role": "assistant"
}
] |
def x(self):
logger.info('Checking repo status')
status = self.log_call(['git', 'status', '--porcelain'], callwith=
subprocess.check_output, cwd=self.cwd)
if status:
raise DirtyException(status)
|
check_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logger.info('Checking repo status')\n status = self.log_call(['git', 'status', '--porcelain'], callwith=\n subprocess.check_output, cwd=self.cwd)\n if status:\n raise DirtyException(status)\n",
"role": "user"
},
{
"content": "check_status",
"role": "assistant"
}
] |
def x(self, merge):
cmd = tuple()
for option in FETCH_DEFAULTS:
value = merge.get(option, self.defaults.get(option))
if value:
cmd += '--%s' % option, str(value)
return cmd
|
fetch_options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, merge):\n cmd = tuple()\n for option in FETCH_DEFAULTS:\n value = merge.get(option, self.defaults.get(option))\n if value:\n cmd += '--%s' % option, str(value)\n return cmd\n",
"role": "user"
},
{
"content": "fetch_options",
"role": "assistant"
}
] |
def x(self, name, url):
remotes = self._get_remotes()
exising_url = remotes.get(name)
if exising_url == url:
logger.info('Remote already exists %s <%s>', name, url)
return
if not exising_url:
logger.info('Adding remote %s <%s>', name, url)
self.log_call(['git', 'remote', 'add', name, url], cwd=self.cwd)
else:
logger.info('Remote remote %s <%s> -> <%s>', name, exising_url, url)
self.log_call(['git', 'remote', 'rm', name], cwd=self.cwd)
self.log_call(['git', 'remote', 'add', name, url], cwd=self.cwd)
|
set_remote
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, url):\n remotes = self._get_remotes()\n exising_url = remotes.get(name)\n if exising_url == url:\n logger.info('Remote already exists %s <%s>', name, url)\n return\n if not exising_url:\n logger.info('Adding remote %s <%s>', name, url)\n self.log_call(['git', 'remote', 'add', name, url], cwd=self.cwd)\n else:\n logger.info('Remote remote %s <%s> -> <%s>', name, exising_url, url)\n self.log_call(['git', 'remote', 'rm', name], cwd=self.cwd)\n self.log_call(['git', 'remote', 'add', name, url], cwd=self.cwd)\n",
"role": "user"
},
{
"content": "set_remote",
"role": "assistant"
}
] |
def x(self):
REPO_RE = re.compile(
'^(https://github.com/|git@github.com:)(?P<owner>.*?)/(?P<repo>.*?)(.git)?$'
)
PULL_RE = re.compile('^(refs/)?pull/(?P<pr>[0-9]+)/head$')
remotes = {r['name']: r['url'] for r in self.remotes}
all_prs = {}
for merge in self.merges:
remote = merge['remote']
ref = merge['ref']
repo_url = remotes[remote]
repo_mo = REPO_RE.match(repo_url)
if not repo_mo:
logger.debug('%s is not a github repo', repo_url)
continue
pull_mo = PULL_RE.match(ref)
if not pull_mo:
logger.debug('%s is not a github pull reqeust', ref)
continue
pr_info = {'owner': repo_mo.group('owner'), 'repo': repo_mo.group(
'repo'), 'pr': pull_mo.group('pr')}
pr_info['path'] = '{owner}/{repo}/pulls/{pr}'.format(**pr_info)
pr_info['url'] = 'https://github.com/{path}'.format(**pr_info)
pr_info['shortcut'] = '{owner}/{repo}#{pr}'.format(**pr_info)
r = self._github_api_get('/repos/{path}'.format(**pr_info))
if r.status_code != 200:
logger.warning(
'Could not get status of {path}. Reason: {r.status_code} {r.reason}'
.format(r=r, **pr_info))
continue
pr_info['state'] = r.json().get('state')
pr_info['merged'] = (not r.json().get('merged') and 'not ' or ''
) + 'merged'
all_prs.setdefault(pr_info['state'], []).append(pr_info)
return all_prs
|
collect_prs_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n REPO_RE = re.compile(\n '^(https://github.com/|git@github.com:)(?P<owner>.*?)/(?P<repo>.*?)(.git)?$'\n )\n PULL_RE = re.compile('^(refs/)?pull/(?P<pr>[0-9]+)/head$')\n remotes = {r['name']: r['url'] for r in self.remotes}\n all_prs = {}\n for merge in self.merges:\n remote = merge['remote']\n ref = merge['ref']\n repo_url = remotes[remote]\n repo_mo = REPO_RE.match(repo_url)\n if not repo_mo:\n logger.debug('%s is not a github repo', repo_url)\n continue\n pull_mo = PULL_RE.match(ref)\n if not pull_mo:\n logger.debug('%s is not a github pull reqeust', ref)\n continue\n pr_info = {'owner': repo_mo.group('owner'), 'repo': repo_mo.group(\n 'repo'), 'pr': pull_mo.group('pr')}\n pr_info['path'] = '{owner}/{repo}/pulls/{pr}'.format(**pr_info)\n pr_info['url'] = 'https://github.com/{path}'.format(**pr_info)\n pr_info['shortcut'] = '{owner}/{repo}#{pr}'.format(**pr_info)\n r = self._github_api_get('/repos/{path}'.format(**pr_info))\n if r.status_code != 200:\n logger.warning(\n 'Could not get status of {path}. Reason: {r.status_code} {r.reason}'\n .format(r=r, **pr_info))\n continue\n pr_info['state'] = r.json().get('state')\n pr_info['merged'] = (not r.json().get('merged') and 'not ' or ''\n ) + 'merged'\n all_prs.setdefault(pr_info['state'], []).append(pr_info)\n return all_prs\n",
"role": "user"
},
{
"content": "collect_prs_info",
"role": "assistant"
}
] |
def x(self):
all_prs = self.collect_prs_info()
for pr_info in all_prs.get('closed', []):
logger.info('{url} in state {state} ({merged})'.format(**pr_info))
|
show_closed_prs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n all_prs = self.collect_prs_info()\n for pr_info in all_prs.get('closed', []):\n logger.info('{url} in state {state} ({merged})'.format(**pr_info))\n",
"role": "user"
},
{
"content": "show_closed_prs",
"role": "assistant"
}
] |
def x(self):
for __, prs in self.collect_prs_info().items():
for pr_info in prs:
logger.info('{url} in state {state} ({merged})'.format(**pr_info))
|
show_all_prs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for __, prs in self.collect_prs_info().items():\n for pr_info in prs:\n logger.info('{url} in state {state} ({merged})'.format(**pr_info))\n",
"role": "user"
},
{
"content": "show_all_prs",
"role": "assistant"
}
] |
def x(config, force=False):
repo_list = []
for directory, repo_data in config.items():
if not os.path.isabs(directory):
directory = os.path.abspath(directory)
repo_dict = {'cwd': directory, 'defaults': repo_data.get('defaults',
dict()), 'force': force}
remote_names = set()
if 'remotes' in repo_data:
repo_dict['remotes'] = []
remotes_data = repo_data['remotes'] or {}
for remote_name, url in remotes_data.items():
if not url:
raise ConfigException(
'%s: No url defined for remote %s.' % (directory,
remote_name))
remote_dict = {'name': remote_name, 'url': url}
repo_dict['remotes'].append(remote_dict)
remote_names.add(remote_name)
if not remote_names:
raise ConfigException(
'%s: You should at least define one remote.' % directory)
else:
raise ConfigException('%s: remotes is not defined.' % directory)
if 'merges' in repo_data:
merges = []
merge_data = repo_data.get('merges') or []
for merge in merge_data:
try:
parts = merge.split(' ')
if len(parts) != 2:
raise ConfigException(
'%s: Merge must be formatted as "remote_name ref".'
% directory)
merge = {'remote': parts[0], 'ref': parts[1]}
except AttributeError:
try:
merge['remote'] = str(merge['remote'])
merge['ref'] = str(merge['ref'])
except KeyError:
raise ConfigException(
'%s: Merge lacks mandatory `remote` or `ref` keys.'
% directory)
if merge['remote'] not in remote_names:
raise ConfigException(
'%s: Merge remote %s not defined in remotes.' % (
directory, merge['remote']))
merges.append(merge)
repo_dict['merges'] = merges
if not merges:
raise ConfigException(
'%s: You should at least define one merge.' % directory)
else:
raise ConfigException('%s: merges is not defined.' % directory)
repo_dict['fetch_all'] = repo_data.get('fetch_all', False)
if isinstance(repo_dict['fetch_all'], string_types):
repo_dict['fetch_all'] = frozenset((repo_dict['fetch_all'],))
elif isinstance(repo_dict['fetch_all'], list):
repo_dict['fetch_all'] = frozenset(repo_dict['fetch_all'])
if 'target' not in repo_data:
raise ConfigException('%s: No target defined.' % directory)
parts = (repo_data.get('target') or '').split(' ')
if len(parts) != 2:
raise ConfigException(
'%s: Target must be formatted as "remote_name branch_name"' %
directory)
remote_name, branch = repo_data.get('target').split(' ')
if remote_name not in remote_names:
raise ConfigException(
'%s: Target remote %s not defined in remotes.' % (directory,
remote_name))
repo_dict['target'] = {'remote': remote_name, 'branch': branch}
commands = []
if 'shell_command_after' in repo_data:
cmds = repo_data['shell_command_after']
if cmds:
if isinstance(cmds, string_types):
cmds = [cmds]
commands = cmds
repo_dict['shell_command_after'] = commands
repo_list.append(repo_dict)
return repo_list
|
get_repos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, force=False):\n repo_list = []\n for directory, repo_data in config.items():\n if not os.path.isabs(directory):\n directory = os.path.abspath(directory)\n repo_dict = {'cwd': directory, 'defaults': repo_data.get('defaults',\n dict()), 'force': force}\n remote_names = set()\n if 'remotes' in repo_data:\n repo_dict['remotes'] = []\n remotes_data = repo_data['remotes'] or {}\n for remote_name, url in remotes_data.items():\n if not url:\n raise ConfigException(\n '%s: No url defined for remote %s.' % (directory,\n remote_name))\n remote_dict = {'name': remote_name, 'url': url}\n repo_dict['remotes'].append(remote_dict)\n remote_names.add(remote_name)\n if not remote_names:\n raise ConfigException(\n '%s: You should at least define one remote.' % directory)\n else:\n raise ConfigException('%s: remotes is not defined.' % directory)\n if 'merges' in repo_data:\n merges = []\n merge_data = repo_data.get('merges') or []\n for merge in merge_data:\n try:\n parts = merge.split(' ')\n if len(parts) != 2:\n raise ConfigException(\n '%s: Merge must be formatted as \"remote_name ref\".'\n % directory)\n merge = {'remote': parts[0], 'ref': parts[1]}\n except AttributeError:\n try:\n merge['remote'] = str(merge['remote'])\n merge['ref'] = str(merge['ref'])\n except KeyError:\n raise ConfigException(\n '%s: Merge lacks mandatory `remote` or `ref` keys.'\n % directory)\n if merge['remote'] not in remote_names:\n raise ConfigException(\n '%s: Merge remote %s not defined in remotes.' % (\n directory, merge['remote']))\n merges.append(merge)\n repo_dict['merges'] = merges\n if not merges:\n raise ConfigException(\n '%s: You should at least define one merge.' % directory)\n else:\n raise ConfigException('%s: merges is not defined.' % directory)\n repo_dict['fetch_all'] = repo_data.get('fetch_all', False)\n if isinstance(repo_dict['fetch_all'], string_types):\n repo_dict['fetch_all'] = frozenset((repo_dict['fetch_all'],))\n elif isinstance(repo_dict['fetch_all'], list):\n repo_dict['fetch_all'] = frozenset(repo_dict['fetch_all'])\n if 'target' not in repo_data:\n raise ConfigException('%s: No target defined.' % directory)\n parts = (repo_data.get('target') or '').split(' ')\n if len(parts) != 2:\n raise ConfigException(\n '%s: Target must be formatted as \"remote_name branch_name\"' %\n directory)\n remote_name, branch = repo_data.get('target').split(' ')\n if remote_name not in remote_names:\n raise ConfigException(\n '%s: Target remote %s not defined in remotes.' % (directory,\n remote_name))\n repo_dict['target'] = {'remote': remote_name, 'branch': branch}\n commands = []\n if 'shell_command_after' in repo_data:\n cmds = repo_data['shell_command_after']\n if cmds:\n if isinstance(cmds, string_types):\n cmds = [cmds]\n commands = cmds\n repo_dict['shell_command_after'] = commands\n repo_list.append(repo_dict)\n return repo_list\n",
"role": "user"
},
{
"content": "get_repos",
"role": "assistant"
}
] |
def x(config, expand_env=False, force=False):
if not os.path.exists(config):
raise ConfigException('Unable to find configuration file: %s' % config)
file_extension = os.path.splitext(config)[1][1:]
conf = kaptan.Kaptan(handler=kaptan.HANDLER_EXT.get(file_extension))
if expand_env:
with open(config, 'r') as file_handler:
config = Template(file_handler.read())
config = config.substitute(os.environ)
conf.import_config(config)
return get_repos(conf.export('dict') or {}, force)
|
load_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, expand_env=False, force=False):\n if not os.path.exists(config):\n raise ConfigException('Unable to find configuration file: %s' % config)\n file_extension = os.path.splitext(config)[1][1:]\n conf = kaptan.Kaptan(handler=kaptan.HANDLER_EXT.get(file_extension))\n if expand_env:\n with open(config, 'r') as file_handler:\n config = Template(file_handler.read())\n config = config.substitute(os.environ)\n conf.import_config(config)\n return get_repos(conf.export('dict') or {}, force)\n",
"role": "user"
},
{
"content": "load_config",
"role": "assistant"
}
] |
def x(log=None, level=logging.INFO):
if not log:
log = logging.getLogger()
if not log.handlers:
channel = logging.StreamHandler()
if level == logging.DEBUG:
channel.setFormatter(DebugLogFormatter())
else:
channel.setFormatter(LogFormatter())
log.setLevel(level)
log.addHandler(channel)
|
setup_logger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(log=None, level=logging.INFO):\n if not log:\n log = logging.getLogger()\n if not log.handlers:\n channel = logging.StreamHandler()\n if level == logging.DEBUG:\n channel.setFormatter(DebugLogFormatter())\n else:\n channel.setFormatter(LogFormatter())\n log.setLevel(level)\n log.addHandler(channel)\n",
"role": "user"
},
{
"content": "setup_logger",
"role": "assistant"
}
] |
def x():
main_parser = argparse.ArgumentParser(formatter_class=argparse.
RawTextHelpFormatter)
main_parser.add_argument('-c', '--config', dest='config', type=str,
nargs='?', help='Pull the latest repositories from config(s)'
).completer = argcomplete.completers.FilesCompleter(allowednames=(
'.yaml', '.yml', '.json'), directories=False)
main_parser.add_argument('-p', '--push', dest='do_push', action=
'store_true', default=False, help='Push result to target')
main_parser.add_argument('-d', '--dirmatch', dest='dirmatch', type=str,
nargs='?', help=
'Pull only from the directories. Accepts fnmatch(1)by commands')
main_parser.add_argument('--log-level', default='INFO', dest=
'log_level', type=_log_level_string_to_int, nargs='?', help=
'Set the logging output level. {0}'.format(_LOG_LEVEL_STRINGS))
main_parser.add_argument('-e', '--expand-env', dest='expand_env',
default=False, action='store_true', help=
'Expand environment variables in configuration file')
main_parser.add_argument('-f', '--force', dest='force', default=False,
action='store_true', help=
'Force cleanup and aggregation on dirty repositories.')
main_parser.add_argument('-j', '--jobs', dest='jobs', default=1, type=
int, help=
'Amount of processes to use when aggregating repos. This is useful when there are a lot of large repos. Set `1` or less to disable multiprocessing (default).'
)
main_parser.add_argument('command', nargs='?', default='aggregate',
help=
"""aggregate (default): run the aggregation process.
show-all-prs: show GitHub pull requests in merge sections
such pull requests are indentified as having
a github.com remote and a
refs/pull/NNN/head ref in the merge section.
show-closed-prs: show pull requests that are not open anymore.
"""
)
return main_parser
|
get_parser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n main_parser = argparse.ArgumentParser(formatter_class=argparse.\n RawTextHelpFormatter)\n main_parser.add_argument('-c', '--config', dest='config', type=str,\n nargs='?', help='Pull the latest repositories from config(s)'\n ).completer = argcomplete.completers.FilesCompleter(allowednames=(\n '.yaml', '.yml', '.json'), directories=False)\n main_parser.add_argument('-p', '--push', dest='do_push', action=\n 'store_true', default=False, help='Push result to target')\n main_parser.add_argument('-d', '--dirmatch', dest='dirmatch', type=str,\n nargs='?', help=\n 'Pull only from the directories. Accepts fnmatch(1)by commands')\n main_parser.add_argument('--log-level', default='INFO', dest=\n 'log_level', type=_log_level_string_to_int, nargs='?', help=\n 'Set the logging output level. {0}'.format(_LOG_LEVEL_STRINGS))\n main_parser.add_argument('-e', '--expand-env', dest='expand_env',\n default=False, action='store_true', help=\n 'Expand environment variables in configuration file')\n main_parser.add_argument('-f', '--force', dest='force', default=False,\n action='store_true', help=\n 'Force cleanup and aggregation on dirty repositories.')\n main_parser.add_argument('-j', '--jobs', dest='jobs', default=1, type=\n int, help=\n 'Amount of processes to use when aggregating repos. This is useful when there are a lot of large repos. Set `1` or less to disable multiprocessing (default).'\n )\n main_parser.add_argument('command', nargs='?', default='aggregate',\n help=\n \"\"\"aggregate (default): run the aggregation process.\nshow-all-prs: show GitHub pull requests in merge sections\n such pull requests are indentified as having\n a github.com remote and a\n refs/pull/NNN/head ref in the merge section.\nshow-closed-prs: show pull requests that are not open anymore.\n\"\"\"\n )\n return main_parser\n",
"role": "user"
},
{
"content": "get_parser",
"role": "assistant"
}
] |
def x():
parser = get_parser()
argcomplete.autocomplete(parser, always_complete_options=False)
args = parser.parse_args()
setup_logger(level=args.log_level)
try:
if args.config and args.command in ('aggregate', 'show-closed-prs',
'show-all-prs'):
run(args)
else:
parser.print_help()
except KeyboardInterrupt:
pass
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = get_parser()\n argcomplete.autocomplete(parser, always_complete_options=False)\n args = parser.parse_args()\n setup_logger(level=args.log_level)\n try:\n if args.config and args.command in ('aggregate', 'show-closed-prs',\n 'show-all-prs'):\n run(args)\n else:\n parser.print_help()\n except KeyboardInterrupt:\n pass\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(args):
repos = load_config(args.config, args.expand_env)
dirmatch = args.dirmatch
for repo_dict in repos:
r = Repo(**repo_dict)
logger.debug('%s' % r)
if not match_dir(r.cwd, dirmatch):
logger.info('Skip %s', r.cwd)
continue
r.aggregate()
if args.do_push:
r.push()
|
load_aggregate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n repos = load_config(args.config, args.expand_env)\n dirmatch = args.dirmatch\n for repo_dict in repos:\n r = Repo(**repo_dict)\n logger.debug('%s' % r)\n if not match_dir(r.cwd, dirmatch):\n logger.info('Skip %s', r.cwd)\n continue\n r.aggregate()\n if args.do_push:\n r.push()\n",
"role": "user"
},
{
"content": "load_aggregate",
"role": "assistant"
}
] |
def x(repo, args, sem, err_queue):
try:
logger.debug('%s' % repo)
dirmatch = args.dirmatch
if not match_dir(repo.cwd, dirmatch):
logger.info('Skip %s', repo.cwd)
return
if args.command == 'aggregate':
repo.aggregate()
if args.do_push:
repo.push()
elif args.command == 'show-closed-prs':
repo.show_closed_prs()
elif args.command == 'show-all-prs':
repo.show_all_prs()
except Exception:
err_queue.put_nowait(sys.exc_info())
finally:
sem.release()
|
aggregate_repo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repo, args, sem, err_queue):\n try:\n logger.debug('%s' % repo)\n dirmatch = args.dirmatch\n if not match_dir(repo.cwd, dirmatch):\n logger.info('Skip %s', repo.cwd)\n return\n if args.command == 'aggregate':\n repo.aggregate()\n if args.do_push:\n repo.push()\n elif args.command == 'show-closed-prs':\n repo.show_closed_prs()\n elif args.command == 'show-all-prs':\n repo.show_all_prs()\n except Exception:\n err_queue.put_nowait(sys.exc_info())\n finally:\n sem.release()\n",
"role": "user"
},
{
"content": "aggregate_repo",
"role": "assistant"
}
] |
def x(args):
repos = load_config(args.config, args.expand_env, args.force)
jobs = max(args.jobs, 1)
threads = []
sem = threading.Semaphore(jobs)
err_queue = Queue()
for repo_dict in repos:
if not err_queue.empty():
break
sem.acquire()
r = Repo(**repo_dict)
tname = os.path.basename(repo_dict['cwd'])
if jobs > 1:
t = threading.Thread(target=aggregate_repo, args=(r, args, sem,
err_queue))
t.daemon = True
t.name = tname
threads.append(t)
t.start()
else:
with ThreadNameKeeper():
threading.current_thread().name = tname
aggregate_repo(r, args, sem, err_queue)
for t in threads:
t.join()
if not err_queue.empty():
while True:
try:
exc_type, exc_obj, exc_trace = err_queue.get_nowait()
except EmptyQueue:
break
traceback.print_exception(exc_type, exc_obj, exc_trace)
sys.exit(1)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n repos = load_config(args.config, args.expand_env, args.force)\n jobs = max(args.jobs, 1)\n threads = []\n sem = threading.Semaphore(jobs)\n err_queue = Queue()\n for repo_dict in repos:\n if not err_queue.empty():\n break\n sem.acquire()\n r = Repo(**repo_dict)\n tname = os.path.basename(repo_dict['cwd'])\n if jobs > 1:\n t = threading.Thread(target=aggregate_repo, args=(r, args, sem,\n err_queue))\n t.daemon = True\n t.name = tname\n threads.append(t)\n t.start()\n else:\n with ThreadNameKeeper():\n threading.current_thread().name = tname\n aggregate_repo(r, args, sem, err_queue)\n for t in threads:\n t.join()\n if not err_queue.empty():\n while True:\n try:\n exc_type, exc_obj, exc_trace = err_queue.get_nowait()\n except EmptyQueue:\n break\n traceback.print_exception(exc_type, exc_obj, exc_trace)\n sys.exit(1)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(state, incorrect_msg=
'Your code generated an error. Fix it and try again!'):
if state.reporter.get_errors():
state.do_test(incorrect_msg)
return state
|
has_no_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, incorrect_msg=\n 'Your code generated an error. Fix it and try again!'):\n if state.reporter.get_errors():\n state.do_test(incorrect_msg)\n return state\n",
"role": "user"
},
{
"content": "has_no_error",
"role": "assistant"
}
] |
def x(state, incorrect_msg='Your query did not return a result.'):
has_no_error(state)
if not state.solution_result:
raise NameError(
'You are using has_result() to verify that the student query generated an error, but the solution query did not return a result either!'
)
if not state.student_result:
state.do_test(incorrect_msg)
return state
|
has_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, incorrect_msg='Your query did not return a result.'):\n has_no_error(state)\n if not state.solution_result:\n raise NameError(\n 'You are using has_result() to verify that the student query generated an error, but the solution query did not return a result either!'\n )\n if not state.student_result:\n state.do_test(incorrect_msg)\n return state\n",
"role": "user"
},
{
"content": "has_result",
"role": "assistant"
}
] |
def x(state, incorrect_msg=
"Your query returned a table with {{n_stu}} row{{'s' if n_stu > 1 else ''}} while it should return a table with {{n_sol}} row{{'s' if n_sol > 1 else ''}}."
):
has_result(state)
n_stu = len(next(iter(state.student_result.values())))
n_sol = len(next(iter(state.solution_result.values())))
if n_stu != n_sol:
_msg = state.build_message(incorrect_msg, fmt_kwargs={'n_stu':
n_stu, 'n_sol': n_sol})
state.do_test(_msg)
return state
|
has_nrows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, incorrect_msg=\n \"Your query returned a table with {{n_stu}} row{{'s' if n_stu > 1 else ''}} while it should return a table with {{n_sol}} row{{'s' if n_sol > 1 else ''}}.\"\n ):\n has_result(state)\n n_stu = len(next(iter(state.student_result.values())))\n n_sol = len(next(iter(state.solution_result.values())))\n if n_stu != n_sol:\n _msg = state.build_message(incorrect_msg, fmt_kwargs={'n_stu':\n n_stu, 'n_sol': n_sol})\n state.do_test(_msg)\n return state\n",
"role": "user"
},
{
"content": "has_nrows",
"role": "assistant"
}
] |
def x(state, incorrect_msg=
"Your query returned a table with {{n_stu}} column{{'s' if n_stu > 1 else ''}} while it should return a table with {{n_sol}} column{{'s' if n_sol > 1 else ''}}."
):
has_result(state)
n_stu = len(state.student_result)
n_sol = len(state.solution_result)
if n_stu != n_sol:
_msg = state.build_message(incorrect_msg, fmt_kwargs={'n_stu':
n_stu, 'n_sol': n_sol})
state.do_test(_msg)
return state
|
has_ncols
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, incorrect_msg=\n \"Your query returned a table with {{n_stu}} column{{'s' if n_stu > 1 else ''}} while it should return a table with {{n_sol}} column{{'s' if n_sol > 1 else ''}}.\"\n ):\n has_result(state)\n n_stu = len(state.student_result)\n n_sol = len(state.solution_result)\n if n_stu != n_sol:\n _msg = state.build_message(incorrect_msg, fmt_kwargs={'n_stu':\n n_stu, 'n_sol': n_sol})\n state.do_test(_msg)\n return state\n",
"role": "user"
},
{
"content": "has_ncols",
"role": "assistant"
}
] |
def x(state, index, missing_msg=None, expand_msg=None):
if missing_msg is None:
missing_msg = (
"The system wants to verify row {{index + 1}} of your query result, but couldn't find it. Have another look."
)
if expand_msg is None:
expand_msg = (
'Have another look at row {{index + 1}} in your query result. ')
msg_kwargs = {'index': index}
has_result(state)
stu_res = state.student_result
sol_res = state.solution_result
n_sol = len(next(iter(sol_res.values())))
n_stu = len(next(iter(stu_res.values())))
if index >= n_sol:
raise BaseException(
"There are only {} rows in the solution query result, and you're trying to fetch the row at index {}"
.format(n_sol, index))
if index >= n_stu:
_msg = state.build_message(missing_msg, fmt_kwargs=msg_kwargs)
state.do_test(_msg)
return state.to_child(append_message={'msg': expand_msg, 'kwargs':
msg_kwargs}, student_result={k: [v[index]] for k, v in stu_res.
items()}, solution_result={k: [v[index]] for k, v in sol_res.items()})
|
check_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, index, missing_msg=None, expand_msg=None):\n if missing_msg is None:\n missing_msg = (\n \"The system wants to verify row {{index + 1}} of your query result, but couldn't find it. Have another look.\"\n )\n if expand_msg is None:\n expand_msg = (\n 'Have another look at row {{index + 1}} in your query result. ')\n msg_kwargs = {'index': index}\n has_result(state)\n stu_res = state.student_result\n sol_res = state.solution_result\n n_sol = len(next(iter(sol_res.values())))\n n_stu = len(next(iter(stu_res.values())))\n if index >= n_sol:\n raise BaseException(\n \"There are only {} rows in the solution query result, and you're trying to fetch the row at index {}\"\n .format(n_sol, index))\n if index >= n_stu:\n _msg = state.build_message(missing_msg, fmt_kwargs=msg_kwargs)\n state.do_test(_msg)\n return state.to_child(append_message={'msg': expand_msg, 'kwargs':\n msg_kwargs}, student_result={k: [v[index]] for k, v in stu_res.\n items()}, solution_result={k: [v[index]] for k, v in sol_res.items()})\n",
"role": "user"
},
{
"content": "check_row",
"role": "assistant"
}
] |
def x(state, name, missing_msg=None, expand_msg=None):
if missing_msg is None:
missing_msg = (
"We expected to find a column named `{{name}}` in the result of your query, but couldn't."
)
if expand_msg is None:
expand_msg = 'Have another look at your query result. '
msg_kwargs = {'name': name}
has_result(state)
stu_res = state.student_result
sol_res = state.solution_result
if name not in sol_res:
raise BaseException('name %s not in solution column names' % name)
if name not in stu_res:
_msg = state.build_message(missing_msg, fmt_kwargs=msg_kwargs)
state.do_test(_msg)
return state.to_child(append_message={'msg': expand_msg, 'kwargs':
msg_kwargs}, student_result={name: stu_res[name]}, solution_result=
{name: sol_res[name]})
|
check_column
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, name, missing_msg=None, expand_msg=None):\n if missing_msg is None:\n missing_msg = (\n \"We expected to find a column named `{{name}}` in the result of your query, but couldn't.\"\n )\n if expand_msg is None:\n expand_msg = 'Have another look at your query result. '\n msg_kwargs = {'name': name}\n has_result(state)\n stu_res = state.student_result\n sol_res = state.solution_result\n if name not in sol_res:\n raise BaseException('name %s not in solution column names' % name)\n if name not in stu_res:\n _msg = state.build_message(missing_msg, fmt_kwargs=msg_kwargs)\n state.do_test(_msg)\n return state.to_child(append_message={'msg': expand_msg, 'kwargs':\n msg_kwargs}, student_result={name: stu_res[name]}, solution_result=\n {name: sol_res[name]})\n",
"role": "user"
},
{
"content": "check_column",
"role": "assistant"
}
] |
def x(state, allow_extra=True, too_many_cols_msg=None, expand_msg=None):
if too_many_cols_msg is None:
too_many_cols_msg = (
"Your query result contains the column {{col}} but shouldn't.")
if expand_msg is None:
expand_msg = 'Have another look at your query result. '
child_stu_result = {}
child_sol_result = {}
for col in state.solution_result:
child = check_column(state, col)
child_stu_result.update(**child.student_result)
child_sol_result.update(**child.solution_result)
cols_not_in_sol = list(set(state.student_result.keys()) - set(
child_stu_result.keys()))
if not allow_extra and len(cols_not_in_sol) > 0:
_msg = state.build_message(
"Your query result contains the column `{{col}}` but shouldn't.",
fmt_kwargs={'col': cols_not_in_sol[0]})
state.do_test(_msg)
return state.to_child(append_message={'msg': expand_msg, 'kwargs': {}},
student_result=child_stu_result, solution_result=child_sol_result)
|
check_all_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, allow_extra=True, too_many_cols_msg=None, expand_msg=None):\n if too_many_cols_msg is None:\n too_many_cols_msg = (\n \"Your query result contains the column {{col}} but shouldn't.\")\n if expand_msg is None:\n expand_msg = 'Have another look at your query result. '\n child_stu_result = {}\n child_sol_result = {}\n for col in state.solution_result:\n child = check_column(state, col)\n child_stu_result.update(**child.student_result)\n child_sol_result.update(**child.solution_result)\n cols_not_in_sol = list(set(state.student_result.keys()) - set(\n child_stu_result.keys()))\n if not allow_extra and len(cols_not_in_sol) > 0:\n _msg = state.build_message(\n \"Your query result contains the column `{{col}}` but shouldn't.\",\n fmt_kwargs={'col': cols_not_in_sol[0]})\n state.do_test(_msg)\n return state.to_child(append_message={'msg': expand_msg, 'kwargs': {}},\n student_result=child_stu_result, solution_result=child_sol_result)\n",
"role": "user"
},
{
"content": "check_all_columns",
"role": "assistant"
}
] |
def x(state, ordered=False, ndigits=None, incorrect_msg=None):
if not hasattr(state, 'parent'):
raise ValueError(
'You can only use has_equal_value() on the state resulting from check_column, check_row or check_result.'
)
if incorrect_msg is None:
incorrect_msg = (
"Column `{{col}}` seems to be incorrect.{{' Make sure you arranged the rows correctly.' if ordered else ''}}"
)
has_nrows(state)
if not ordered:
stu_res, sol_res = sort_rows(state)
else:
stu_res = state.student_result
sol_res = state.solution_result
for sol_col_name, sol_col_vals in sol_res.items():
stu_col_vals = stu_res[sol_col_name]
if ndigits is not None:
try:
sol_col_vals = round_seq(sol_col_vals, ndigits)
stu_col_vals = round_seq(stu_col_vals, ndigits)
except:
pass
if sol_col_vals != stu_col_vals:
_msg = state.build_message(incorrect_msg, fmt_kwargs={'col':
sol_col_name, 'ordered': ordered})
state.do_test(_msg)
return state
|
has_equal_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, ordered=False, ndigits=None, incorrect_msg=None):\n if not hasattr(state, 'parent'):\n raise ValueError(\n 'You can only use has_equal_value() on the state resulting from check_column, check_row or check_result.'\n )\n if incorrect_msg is None:\n incorrect_msg = (\n \"Column `{{col}}` seems to be incorrect.{{' Make sure you arranged the rows correctly.' if ordered else ''}}\"\n )\n has_nrows(state)\n if not ordered:\n stu_res, sol_res = sort_rows(state)\n else:\n stu_res = state.student_result\n sol_res = state.solution_result\n for sol_col_name, sol_col_vals in sol_res.items():\n stu_col_vals = stu_res[sol_col_name]\n if ndigits is not None:\n try:\n sol_col_vals = round_seq(sol_col_vals, ndigits)\n stu_col_vals = round_seq(stu_col_vals, ndigits)\n except:\n pass\n if sol_col_vals != stu_col_vals:\n _msg = state.build_message(incorrect_msg, fmt_kwargs={'col':\n sol_col_name, 'ordered': ordered})\n state.do_test(_msg)\n return state\n",
"role": "user"
},
{
"content": "has_equal_value",
"role": "assistant"
}
] |
def x(state):
return state.to_child(student_result={k.lower(): v for k, v in state.
student_result.items()}, solution_result={k.lower(): v for k, v in
state.solution_result.items()})
|
lowercase
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state):\n return state.to_child(student_result={k.lower(): v for k, v in state.\n student_result.items()}, solution_result={k.lower(): v for k, v in\n state.solution_result.items()})\n",
"role": "user"
},
{
"content": "lowercase",
"role": "assistant"
}
] |
def x(state):
state1 = lowercase(state)
state2 = check_all_columns(state1)
has_equal_value(state2)
return state2
|
check_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state):\n state1 = lowercase(state)\n state2 = check_all_columns(state1)\n has_equal_value(state2)\n return state2\n",
"role": "user"
},
{
"content": "check_result",
"role": "assistant"
}
] |
def x(state, query, error_msg=None, expand_msg=None):
if error_msg is None:
error_msg = (
'Running `{{query}}` after your submission generated an error.')
if expand_msg is None:
expand_msg = (
'The autograder verified the result of running `{{query}}` against the database. '
)
msg_kwargs = {'query': query}
has_no_error(state)
_msg = state.build_message(error_msg, fmt_kwargs=msg_kwargs)
with dbconn(state.solution_conn) as conn:
_ = runQuery(conn, state.solution_code)
sol_res = runQuery(conn, query)
if sol_res is None:
raise ValueError('Solution failed: ' + _msg)
with dbconn(state.student_conn) as conn:
_ = runQuery(conn, state.student_code)
stu_res = runQuery(conn, query)
if stu_res is None:
state.do_test(_msg)
return state.to_child(append_message={'msg': expand_msg, 'kwargs':
msg_kwargs}, student_result=stu_res, solution_result=sol_res)
|
check_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, query, error_msg=None, expand_msg=None):\n if error_msg is None:\n error_msg = (\n 'Running `{{query}}` after your submission generated an error.')\n if expand_msg is None:\n expand_msg = (\n 'The autograder verified the result of running `{{query}}` against the database. '\n )\n msg_kwargs = {'query': query}\n has_no_error(state)\n _msg = state.build_message(error_msg, fmt_kwargs=msg_kwargs)\n with dbconn(state.solution_conn) as conn:\n _ = runQuery(conn, state.solution_code)\n sol_res = runQuery(conn, query)\n if sol_res is None:\n raise ValueError('Solution failed: ' + _msg)\n with dbconn(state.student_conn) as conn:\n _ = runQuery(conn, state.student_code)\n stu_res = runQuery(conn, query)\n if stu_res is None:\n state.do_test(_msg)\n return state.to_child(append_message={'msg': expand_msg, 'kwargs':\n msg_kwargs}, student_result=stu_res, solution_result=sol_res)\n",
"role": "user"
},
{
"content": "check_query",
"role": "assistant"
}
] |
def x(f):
if hasattr(f, 'lower_cased'):
return f
@wraps(f)
def x(*args, **kwargs):
f.lower_cased = True
return f(*args, **kwargs).lower()
return wrapper
|
lower_case
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n if hasattr(f, 'lower_cased'):\n return f\n\n @wraps(f)\n def x(*args, **kwargs):\n f.lower_cased = True\n return f(*args, **kwargs).lower()\n return wrapper\n",
"role": "user"
},
{
"content": "lower_case",
"role": "assistant"
}
] |
def x(argd):
startdir = argd['DIR'] or '/'
if not os.path.isdir(startdir):
raise InvalidArg('not a valid start directory: {}'.format(startdir))
if argd['--progress']:
return walk_dir_progress(startdir)
return walk_dir_animated(startdir)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argd):\n startdir = argd['DIR'] or '/'\n if not os.path.isdir(startdir):\n raise InvalidArg('not a valid start directory: {}'.format(startdir))\n if argd['--progress']:\n return walk_dir_progress(startdir)\n return walk_dir_animated(startdir)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if kwargs.get('file', None) is None:
kwargs['file'] = sys.stderr
print(*args, **kwargs)
|
print_err
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if kwargs.get('file', None) is None:\n kwargs['file'] = sys.stderr\n print(*args, **kwargs)\n",
"role": "user"
},
{
"content": "print_err",
"role": "assistant"
}
] |
def x(path, maxdircnt=1000):
p = AnimatedProgress('Walking {}...'.format(path), frames=Frames.
dots_orbit.as_rainbow(), show_time=True)
rootcnt = 0
print('\nStarting animated progress.')
with p:
for root, dirs, files in os.walk(path):
rootcnt += 1
if rootcnt % 50 == 0:
p.text = 'Walking {}...'.format(C(root, 'cyan'))
if rootcnt > maxdircnt:
p.stop()
print('\nFinished walking {} directories.'.format(C(
maxdircnt, 'blue', style='bright')))
break
else:
p.stop()
print_err('\nNever made it to {} directories ({}).'.format(C(
maxdircnt, 'blue', style='bright'), C(rootcnt, 'red', style
='bright')))
print('\nFinished with animated progress.')
return 0
|
walk_dir_animated
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, maxdircnt=1000):\n p = AnimatedProgress('Walking {}...'.format(path), frames=Frames.\n dots_orbit.as_rainbow(), show_time=True)\n rootcnt = 0\n print('\\nStarting animated progress.')\n with p:\n for root, dirs, files in os.walk(path):\n rootcnt += 1\n if rootcnt % 50 == 0:\n p.text = 'Walking {}...'.format(C(root, 'cyan'))\n if rootcnt > maxdircnt:\n p.stop()\n print('\\nFinished walking {} directories.'.format(C(\n maxdircnt, 'blue', style='bright')))\n break\n else:\n p.stop()\n print_err('\\nNever made it to {} directories ({}).'.format(C(\n maxdircnt, 'blue', style='bright'), C(rootcnt, 'red', style\n ='bright')))\n print('\\nFinished with animated progress.')\n return 0\n",
"role": "user"
},
{
"content": "walk_dir_animated",
"role": "assistant"
}
] |
def x(path, maxdircnt=5000, file=sys.stdout):
p = ProgressBar('Walking {}'.format(C(path, 'cyan')), bars=Bars.
numbers_blue.with_wrapper(('(', ')')), show_time=True, file=file)
rootcnt = 0
print('\nStarting progress bar...')
p.start()
for root, dirs, files in os.walk(path):
rootcnt += 1
if rootcnt % 100 == 0:
p.update(percent=min(rootcnt / maxdircnt * 100, 100), text=
'Walking {}...'.format(C(os.path.split(root)[-1], 'cyan')))
if rootcnt > maxdircnt:
p.stop()
print('\nFinished walking {} directories.'.format(C(maxdircnt,
'blue', style='bright')), file=file)
break
else:
p.stop()
print_err('\nNever made it to {} directories ({}).'.format(C(
maxdircnt, 'blue', style='bright'), C(rootcnt, 'red', style=
'bright')))
print('\nFinished with progress bar.')
return 0
|
walk_dir_progress
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, maxdircnt=5000, file=sys.stdout):\n p = ProgressBar('Walking {}'.format(C(path, 'cyan')), bars=Bars.\n numbers_blue.with_wrapper(('(', ')')), show_time=True, file=file)\n rootcnt = 0\n print('\\nStarting progress bar...')\n p.start()\n for root, dirs, files in os.walk(path):\n rootcnt += 1\n if rootcnt % 100 == 0:\n p.update(percent=min(rootcnt / maxdircnt * 100, 100), text=\n 'Walking {}...'.format(C(os.path.split(root)[-1], 'cyan')))\n if rootcnt > maxdircnt:\n p.stop()\n print('\\nFinished walking {} directories.'.format(C(maxdircnt,\n 'blue', style='bright')), file=file)\n break\n else:\n p.stop()\n print_err('\\nNever made it to {} directories ({}).'.format(C(\n maxdircnt, 'blue', style='bright'), C(rootcnt, 'red', style=\n 'bright')))\n print('\\nFinished with progress bar.')\n return 0\n",
"role": "user"
},
{
"content": "walk_dir_progress",
"role": "assistant"
}
] |
def x(s):
newlines = []
bigindent = ' ' * 16
in_opts = False
for line in s.split('\n'):
linestripped = line.strip('\n').strip().strip(':')
if linestripped == 'Usage':
line = line.replace('Usage', str(C('Usage', **ARGS_LABEL)))
elif linestripped == 'Options':
line = line.replace('Options', str(C('Options', **ARGS_LABEL)))
in_opts = True
elif ':' in line and not line.startswith(bigindent):
lineparts = line.split(':')
opt = lineparts[0]
vals = [lineparts[1]] if len(lineparts) == 2 else lineparts[1:]
if ',' in opt:
opts = opt.split(',')
else:
opts = [opt]
optstr = ','.join(str(C(o, **ARGS_OPTIONS)) for o in opts)
valstr = ':'.join(str(C(val, **ARGS_DESC)) for val in vals)
line = ':'.join((optstr, valstr))
elif in_opts and line.startswith(bigindent):
line = ':'.join(str(C(s, **ARGS_DESC)) for s in line.split(':'))
elif not line.startswith(' '):
line = str(C(line, **ARGS_HEADER))
elif SCRIPT:
line = line.replace(SCRIPT, str(C(SCRIPT, **ARGS_SCRIPT)))
newlines.append('{}{}'.format(line, C('', style='reset_all')))
return '\n'.join(newlines)
|
coloredhelp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n newlines = []\n bigindent = ' ' * 16\n in_opts = False\n for line in s.split('\\n'):\n linestripped = line.strip('\\n').strip().strip(':')\n if linestripped == 'Usage':\n line = line.replace('Usage', str(C('Usage', **ARGS_LABEL)))\n elif linestripped == 'Options':\n line = line.replace('Options', str(C('Options', **ARGS_LABEL)))\n in_opts = True\n elif ':' in line and not line.startswith(bigindent):\n lineparts = line.split(':')\n opt = lineparts[0]\n vals = [lineparts[1]] if len(lineparts) == 2 else lineparts[1:]\n if ',' in opt:\n opts = opt.split(',')\n else:\n opts = [opt]\n optstr = ','.join(str(C(o, **ARGS_OPTIONS)) for o in opts)\n valstr = ':'.join(str(C(val, **ARGS_DESC)) for val in vals)\n line = ':'.join((optstr, valstr))\n elif in_opts and line.startswith(bigindent):\n line = ':'.join(str(C(s, **ARGS_DESC)) for s in line.split(':'))\n elif not line.startswith(' '):\n line = str(C(line, **ARGS_HEADER))\n elif SCRIPT:\n line = line.replace(SCRIPT, str(C(SCRIPT, **ARGS_SCRIPT)))\n newlines.append('{}{}'.format(line, C('', style='reset_all')))\n return '\\n'.join(newlines)\n",
"role": "user"
},
{
"content": "coloredhelp",
"role": "assistant"
}
] |
def x(doc, argv=None, help=True, version=None, options_first=False, script=
None, colors=None):
global SCRIPT
global ARGS_DESC, ARGS_HEADER, ARGS_LABEL, ARGS_OPTIONS
global ARGS_SCRIPT, ARGS_VERSION
SCRIPT = script
if colors:
ARGS_DESC.update(colors.get('desc', colors.get('description', {})))
ARGS_HEADER.update(colors.get('header', {}))
ARGS_LABEL.update(colors.get('label', {}))
ARGS_OPTIONS.update(colors.get('options', {}))
ARGS_SCRIPT.update(colors.get('script', {}))
ARGS_VERSION.update(colors.get('version', {}))
return _old_docopt(doc, argv=argv, help=help, version=version,
options_first=options_first)
|
docopt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(doc, argv=None, help=True, version=None, options_first=False, script=\n None, colors=None):\n global SCRIPT\n global ARGS_DESC, ARGS_HEADER, ARGS_LABEL, ARGS_OPTIONS\n global ARGS_SCRIPT, ARGS_VERSION\n SCRIPT = script\n if colors:\n ARGS_DESC.update(colors.get('desc', colors.get('description', {})))\n ARGS_HEADER.update(colors.get('header', {}))\n ARGS_LABEL.update(colors.get('label', {}))\n ARGS_OPTIONS.update(colors.get('options', {}))\n ARGS_SCRIPT.update(colors.get('script', {}))\n ARGS_VERSION.update(colors.get('version', {}))\n return _old_docopt(doc, argv=argv, help=help, version=version,\n options_first=options_first)\n",
"role": "user"
},
{
"content": "docopt",
"role": "assistant"
}
] |
def x(method=EraseMethod.ALL_MOVE):
accepted_methods = '0', '1', '2', '3', '4'
methodstr = str(method)
if methodstr not in accepted_methods:
raise ValueError('Invalid method, expected {}. Got: {!r}'.format(
', '.join(accepted_methods), method))
if methodstr == '4':
methods = 2, 3
else:
methods = method,
return EscapeCode(''.join(str(EscapeCode('{}J'.format(m))) for m in
methods))
|
display
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method=EraseMethod.ALL_MOVE):\n accepted_methods = '0', '1', '2', '3', '4'\n methodstr = str(method)\n if methodstr not in accepted_methods:\n raise ValueError('Invalid method, expected {}. Got: {!r}'.format(\n ', '.join(accepted_methods), method))\n if methodstr == '4':\n methods = 2, 3\n else:\n methods = method,\n return EscapeCode(''.join(str(EscapeCode('{}J'.format(m))) for m in\n methods))\n",
"role": "user"
},
{
"content": "display",
"role": "assistant"
}
] |
def x(method=EraseMethod.ALL):
methods = '0', '1', '2'
if str(method) not in methods:
raise ValueError('Invalid method, expected {}. Got: {!r}'.format(
', '.join(methods), method))
return EscapeCode('{}K'.format(method))
|
line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method=EraseMethod.ALL):\n methods = '0', '1', '2'\n if str(method) not in methods:\n raise ValueError('Invalid method, expected {}. Got: {!r}'.format(\n ', '.join(methods), method))\n return EscapeCode('{}K'.format(method))\n",
"role": "user"
},
{
"content": "line",
"role": "assistant"
}
] |
def x(file, _alreadyopen={}):
try:
fileno = file.fileno()
except (AttributeError, UnsupportedOperation):
return file
filedesc = _alreadyopen.get(fileno, None)
if filedesc is not None:
return filedesc
filedesc = fdopen(fileno, 'wb', 0)
_alreadyopen[fileno] = filedesc
return filedesc
|
try_unbuffered_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, _alreadyopen={}):\n try:\n fileno = file.fileno()\n except (AttributeError, UnsupportedOperation):\n return file\n filedesc = _alreadyopen.get(fileno, None)\n if filedesc is not None:\n return filedesc\n filedesc = fdopen(fileno, 'wb', 0)\n _alreadyopen[fileno] = filedesc\n return filedesc\n",
"role": "user"
},
{
"content": "try_unbuffered_file",
"role": "assistant"
}
] |
def x(self):
self.stop_flag.value = False
self.time_started.value = time()
self.time_elapsed.value = 0
while True:
if self.stop_flag.value:
break
self.update_text()
with self.time_started.get_lock():
start = self.time_started.value
with self.time_elapsed.get_lock():
self.time_elapsed.value = time() - start
if (self.timeout.value and self.time_elapsed.value > self.
timeout.value):
self.stop()
raise ProgressTimedOut(self.name, self.time_elapsed.value)
|
loop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.stop_flag.value = False\n self.time_started.value = time()\n self.time_elapsed.value = 0\n while True:\n if self.stop_flag.value:\n break\n self.update_text()\n with self.time_started.get_lock():\n start = self.time_started.value\n with self.time_elapsed.get_lock():\n self.time_elapsed.value = time() - start\n if (self.timeout.value and self.time_elapsed.value > self.\n timeout.value):\n self.stop()\n raise ProgressTimedOut(self.name, self.time_elapsed.value)\n",
"role": "user"
},
{
"content": "loop",
"role": "assistant"
}
] |
def x(self):
try:
self._loop()
except Exception:
typ, val, tb = sys.exc_info()
tb_lines = traceback.format_exception(typ, val, tb)
self.exc_queue.put((val, tb_lines))
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self._loop()\n except Exception:\n typ, val, tb = sys.exc_info()\n tb_lines = traceback.format_exception(typ, val, tb)\n self.exc_queue.put((val, tb_lines))\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
self.stop_flag.value = True
with self.lock:
Control().text(C(' ', style='reset_all')).pos_restore().move_column(1
).erase_line().write(self.file)
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.stop_flag.value = True\n with self.lock:\n Control().text(C(' ', style='reset_all')).pos_restore().move_column(1\n ).erase_line().write(self.file)\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self):
self.write()
try:
newtext = self.text_queue.get_nowait()
self._text = newtext
except Empty:
pass
|
update_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.write()\n try:\n newtext = self.text_queue.get_nowait()\n self._text = newtext\n except Empty:\n pass\n",
"role": "user"
},
{
"content": "update_text",
"role": "assistant"
}
] |
def x(self):
if self._text is not None:
with self.lock:
self.file.write(str(self._text).encode())
self.file.flush()
sleep(self.nice_delay)
|
write
|
[
{
"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._text is not None:\n with self.lock:\n self.file.write(str(self._text).encode())\n self.file.flush()\n sleep(self.nice_delay)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self):
if self._exception is not None:
return self._exception
try:
exc, tblines = self.exc_queue.get_nowait()
except Empty:
self._exception, self.tb_lines = None, None
else:
self._exception, self.tb_lines = exc, tblines
return self._exception
|
exception
|
[
{
"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._exception is not None:\n return self._exception\n try:\n exc, tblines = self.exc_queue.get_nowait()\n except Empty:\n self._exception, self.tb_lines = None, None\n else:\n self._exception, self.tb_lines = exc, tblines\n return self._exception\n",
"role": "user"
},
{
"content": "exception",
"role": "assistant"
}
] |
def x(self, value):
if isinstance(value, str):
value = value.split(self.join_str)
if not (value and isinstance(value, (list, tuple))):
raise TypeError(' '.join((
'Expecting str or list/tuple of formats {!r}.',
'Got: ({}) {!r}')).format(self.default_format, type(value).
__name__, value))
self._fmt = value
|
fmt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if isinstance(value, str):\n value = value.split(self.join_str)\n if not (value and isinstance(value, (list, tuple))):\n raise TypeError(' '.join((\n 'Expecting str or list/tuple of formats {!r}.',\n 'Got: ({}) {!r}')).format(self.default_format, type(value).\n __name__, value))\n self._fmt = value\n",
"role": "user"
},
{
"content": "fmt",
"role": "assistant"
}
] |
def x(self):
try:
Control().cursor_hide().write(file=self.file)
super().run()
except KeyboardInterrupt:
self.stop()
finally:
Control().cursor_show().write(file=self.file)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n Control().cursor_hide().write(file=self.file)\n super().run()\n except KeyboardInterrupt:\n self.stop()\n finally:\n Control().cursor_show().write(file=self.file)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
super().stop()
while not self.stopped:
sleep(0.001)
exc = self.exception
if exc is not None:
raise exc
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super().stop()\n while not self.stopped:\n sleep(0.001)\n exc = self.exception\n if exc is not None:\n raise exc\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self):
if self.text is None:
return None
if self._last_text == self.text:
char_delay = 0
else:
char_delay = self.char_delay
self._last_text = self.text
with self.lock:
ctl = Control().move_column(1).pos_save().erase_line()
if char_delay == 0:
ctl.text(str(self)).write(file=self.file)
else:
self.write_char_delay(ctl, char_delay)
ctl.delay(self.delay)
return None
|
write
|
[
{
"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.text is None:\n return None\n if self._last_text == self.text:\n char_delay = 0\n else:\n char_delay = self.char_delay\n self._last_text = self.text\n with self.lock:\n ctl = Control().move_column(1).pos_save().erase_line()\n if char_delay == 0:\n ctl.text(str(self)).write(file=self.file)\n else:\n self.write_char_delay(ctl, char_delay)\n ctl.delay(self.delay)\n return None\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self):
self.current_frame += 1
if self.current_frame == self.frame_len:
self.current_frame = 0
|
advance_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.current_frame += 1\n if self.current_frame == self.frame_len:\n self.current_frame = 0\n",
"role": "user"
},
{
"content": "advance_frame",
"role": "assistant"
}
] |
def x(self, userdelay, frameslist):
delay = userdelay or getattr(frameslist, 'delay', None)
delay = (delay or self.default_delay) - self.nice_delay
if delay < 0:
delay = 0
return delay
|
get_delay
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, userdelay, frameslist):\n delay = userdelay or getattr(frameslist, 'delay', None)\n delay = (delay or self.default_delay) - self.nice_delay\n if delay < 0:\n delay = 0\n return delay\n",
"role": "user"
},
{
"content": "get_delay",
"role": "assistant"
}
] |
def x(self, ctl, delay):
for i, fmt in enumerate(self.fmt):
if '{text' in fmt:
ctl.text(fmt.format(text=self.text))
if i != self.fmt_len - 1:
ctl.text(self.join_str)
ctl.write(file=self.file, delay=delay)
else:
ctl.text(fmt.format(frame=self.frames[self.current_frame],
elapsed=self.elapsed))
if i != self.fmt_len - 1:
ctl.text(self.join_str)
ctl.write(file=self.file)
return ctl
|
write_char_delay
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctl, delay):\n for i, fmt in enumerate(self.fmt):\n if '{text' in fmt:\n ctl.text(fmt.format(text=self.text))\n if i != self.fmt_len - 1:\n ctl.text(self.join_str)\n ctl.write(file=self.file, delay=delay)\n else:\n ctl.text(fmt.format(frame=self.frames[self.current_frame],\n elapsed=self.elapsed))\n if i != self.fmt_len - 1:\n ctl.text(self.join_str)\n ctl.write(file=self.file)\n return ctl\n",
"role": "user"
},
{
"content": "write_char_delay",
"role": "assistant"
}
] |
def x(self, percent=None, text=None):
if percent is not None:
self.percent = percent
if text is not None:
self.message = text
super().update()
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, percent=None, text=None):\n if percent is not None:\n self.percent = percent\n if text is not None:\n self.message = text\n super().update()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(cls, name):
try:
val = getattr(cls, name)
except AttributeError:
for attr in (a for a in dir(cls) if not a.startswith('_')):
try:
val = getattr(cls, attr)
except AttributeError:
continue
valname = getattr(val, 'name', None)
if valname == name:
return val
else:
raise ValueError('No {} with that name: {}'.format(cls.__name__,
name))
else:
return val
|
cls_get_by_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name):\n try:\n val = getattr(cls, name)\n except AttributeError:\n for attr in (a for a in dir(cls) if not a.startswith('_')):\n try:\n val = getattr(cls, attr)\n except AttributeError:\n continue\n valname = getattr(val, 'name', None)\n if valname == name:\n return val\n else:\n raise ValueError('No {} with that name: {}'.format(cls.__name__,\n name))\n else:\n return val\n",
"role": "user"
},
{
"content": "cls_get_by_name",
"role": "assistant"
}
] |
def x(cls, wanted_cls, registered=True):
return [fset.name for fset in cls_sets(cls, wanted_cls, registered=
registered)]
|
cls_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, wanted_cls, registered=True):\n return [fset.name for fset in cls_sets(cls, wanted_cls, registered=\n registered)]\n",
"role": "user"
},
{
"content": "cls_names",
"role": "assistant"
}
] |
def x(cls, frameset, new_class, init_args, name=None):
name = name or getattr(frameset, 'name', None)
if name is None:
raise ValueError(
'`name` is needed when the `frameset` has no name attribute.')
kwargs = {'name': name}
for initarg in init_args:
kwargs[initarg] = getattr(frameset, initarg, None)
newframeset = new_class(frameset, **kwargs)
newframeset._registered = True
setattr(cls, name, newframeset)
return newframeset
|
cls_register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, frameset, new_class, init_args, name=None):\n name = name or getattr(frameset, 'name', None)\n if name is None:\n raise ValueError(\n '`name` is needed when the `frameset` has no name attribute.')\n kwargs = {'name': name}\n for initarg in init_args:\n kwargs[initarg] = getattr(frameset, initarg, None)\n newframeset = new_class(frameset, **kwargs)\n newframeset._registered = True\n setattr(cls, name, newframeset)\n return newframeset\n",
"role": "user"
},
{
"content": "cls_register",
"role": "assistant"
}
] |
def x(cls, wanted_cls, registered=True):
sets = []
for attr in dir(cls):
if attr.startswith('_'):
continue
val = getattr(cls, attr, None)
if not isinstance(val, wanted_cls):
continue
if not registered and getattr(val, '_registered', False):
continue
sets.append(val)
return sets
|
cls_sets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, wanted_cls, registered=True):\n sets = []\n for attr in dir(cls):\n if attr.startswith('_'):\n continue\n val = getattr(cls, attr, None)\n if not isinstance(val, wanted_cls):\n continue\n if not registered and getattr(val, '_registered', False):\n continue\n sets.append(val)\n return sets\n",
"role": "user"
},
{
"content": "cls_sets",
"role": "assistant"
}
] |
def x(cls):
frametypes = cls.sets(registered=False)
_colornames = ['red', 'green', 'yellow', 'blue', 'magenta', 'cyan', 'white'
]
_colornames.extend('light{}'.format(s) for s in _colornames[:])
for colorname in _colornames:
for framesobj in frametypes:
framename = '{}_{}'.format(framesobj.name, colorname)
cls.register(framesobj.as_colr(fore=colorname), name=framename)
|
build_color_variants
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n frametypes = cls.sets(registered=False)\n _colornames = ['red', 'green', 'yellow', 'blue', 'magenta', 'cyan', 'white'\n ]\n _colornames.extend('light{}'.format(s) for s in _colornames[:])\n for colorname in _colornames:\n for framesobj in frametypes:\n framename = '{}_{}'.format(framesobj.name, colorname)\n cls.register(framesobj.as_colr(fore=colorname), name=framename)\n",
"role": "user"
},
{
"content": "build_color_variants",
"role": "assistant"
}
] |
def x(cls, barset, name=None, delay=None, use_wrapper=True, wrapper=None):
if wrapper:
data = tuple(barset.wrap_str(s, wrapper=wrapper) for s in barset)
elif use_wrapper:
data = tuple(barset.wrap_str(s) for s in barset)
else:
data = barset.data
return cls(data, name=name, delay=delay)
|
from_barset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, barset, name=None, delay=None, use_wrapper=True, wrapper=None):\n if wrapper:\n data = tuple(barset.wrap_str(s, wrapper=wrapper) for s in barset)\n elif use_wrapper:\n data = tuple(barset.wrap_str(s) for s in barset)\n else:\n data = barset.data\n return cls(data, name=name, delay=delay)\n",
"role": "user"
},
{
"content": "from_barset",
"role": "assistant"
}
] |
def x(self, name=None, style=None, rgb_mode=False):
return self._as_gradient(('wrapper',), name=name, style=style, rgb_mode
=rgb_mode)
|
as_gradient
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, style=None, rgb_mode=False):\n return self._as_gradient(('wrapper',), name=name, style=style, rgb_mode\n =rgb_mode)\n",
"role": "user"
},
{
"content": "as_gradient",
"role": "assistant"
}
] |
def x(self, percent):
if not self:
return self.wrap_str()
length = len(self)
percentmod = int(percent) % 100 or min(percent, 100)
index = int(length / 100 * percentmod)
try:
barstr = str(self[index])
except IndexError:
barstr = self[-1]
return self.wrap_str(barstr)
|
as_percent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, percent):\n if not self:\n return self.wrap_str()\n length = len(self)\n percentmod = int(percent) % 100 or min(percent, 100)\n index = int(length / 100 * percentmod)\n try:\n barstr = str(self[index])\n except IndexError:\n barstr = self[-1]\n return self.wrap_str(barstr)\n",
"role": "user"
},
{
"content": "as_percent",
"role": "assistant"
}
] |
def x(self, offset=35, style=None, rgb_mode=False):
return self._as_rainbow(('wrapper',), offset=offset, style=style,
rgb_mode=rgb_mode)
|
as_rainbow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=35, style=None, rgb_mode=False):\n return self._as_rainbow(('wrapper',), offset=offset, style=style,\n rgb_mode=rgb_mode)\n",
"role": "user"
},
{
"content": "as_rainbow",
"role": "assistant"
}
] |
def x(cls, char, name=None, width=None, fill_char=None, bounce=False,
reverse=False, back_char=None, wrapper=None):
return cls(cls._generate_move(char, width=width or cls.default_width,
fill_char=str(fill_char or cls.default_fill_char), bounce=bounce,
reverse=reverse, back_char=back_char), name=name, wrapper=wrapper or
cls.default_wrapper)
|
from_char
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, char, name=None, width=None, fill_char=None, bounce=False,\n reverse=False, back_char=None, wrapper=None):\n return cls(cls._generate_move(char, width=width or cls.default_width,\n fill_char=str(fill_char or cls.default_fill_char), bounce=bounce,\n reverse=reverse, back_char=back_char), name=name, wrapper=wrapper or\n cls.default_wrapper)\n",
"role": "user"
},
{
"content": "from_char",
"role": "assistant"
}
] |
def x(cls, s, name=None, fill_char=None, wrapper=None):
fill_char = fill_char or cls.default_fill_char
maxlen = len(s)
frames = []
for pos in range(1, maxlen):
framestr = s[:pos]
frames.append(''.join((framestr, fill_char * (maxlen - len(framestr))))
)
frames.append(s)
return cls(frames, name=name, wrapper=wrapper)
|
from_str
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, s, name=None, fill_char=None, wrapper=None):\n fill_char = fill_char or cls.default_fill_char\n maxlen = len(s)\n frames = []\n for pos in range(1, maxlen):\n framestr = s[:pos]\n frames.append(''.join((framestr, fill_char * (maxlen - len(framestr))))\n )\n frames.append(s)\n return cls(frames, name=name, wrapper=wrapper)\n",
"role": "user"
},
{
"content": "from_str",
"role": "assistant"
}
] |
def x(cls, char, width=None, fill_char=None, bounce=False, reverse=True,
back_char=None):
width = width or cls.default_width
char = str(char)
filler = str(fill_char or cls.default_fill_char) * (width - len(char))
rangeargs = RangeMoveArgs((0, width, 1), (width, 0, -1))
if reverse:
rangeargs = RangeMoveArgs((width, -1, -1), (0, width - 1, 1))
yield from (''.join((filler[:i], char, filler[i:])) for i in range(*
rangeargs.forward))
if bounce:
bouncechar = char if back_char is None else back_char
yield from (''.join((filler[:i], str(bouncechar), filler[i:])) for
i in range(*rangeargs.backward))
|
generate_move
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, char, width=None, fill_char=None, bounce=False, reverse=True,\n back_char=None):\n width = width or cls.default_width\n char = str(char)\n filler = str(fill_char or cls.default_fill_char) * (width - len(char))\n rangeargs = RangeMoveArgs((0, width, 1), (width, 0, -1))\n if reverse:\n rangeargs = RangeMoveArgs((width, -1, -1), (0, width - 1, 1))\n yield from (''.join((filler[:i], char, filler[i:])) for i in range(*\n rangeargs.forward))\n if bounce:\n bouncechar = char if back_char is None else back_char\n yield from (''.join((filler[:i], str(bouncechar), filler[i:])) for\n i in range(*rangeargs.backward))\n",
"role": "user"
},
{
"content": "generate_move",
"role": "assistant"
}
] |
def x(self, wrapper=None, name=None):
name = name or '{}_custom_wrapper'.format(self.name)
return self.__class__(self.data, name=name, wrapper=wrapper)
|
with_wrapper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wrapper=None, name=None):\n name = name or '{}_custom_wrapper'.format(self.name)\n return self.__class__(self.data, name=name, wrapper=wrapper)\n",
"role": "user"
},
{
"content": "with_wrapper",
"role": "assistant"
}
] |
def x(self, s=None, wrapper=None):
wrapper = wrapper or (self.wrapper or ('', ''))
return str('' if s is None else s).join(wrapper)
|
wrap_str
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s=None, wrapper=None):\n wrapper = wrapper or (self.wrapper or ('', ''))\n return str('' if s is None else s).join(wrapper)\n",
"role": "user"
},
{
"content": "wrap_str",
"role": "assistant"
}
] |
def x(cls, barset, name=None):
return cls_register(cls, barset, BarSet, ('wrapper',), name=name)
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, barset, name=None):\n return cls_register(cls, barset, BarSet, ('wrapper',), name=name)\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(cls, frameset, name=None):
return cls_register(cls, frameset, FrameSet, ('delay',), name=name)
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, frameset, name=None):\n return cls_register(cls, frameset, FrameSet, ('delay',), name=name)\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(cls, errno):
message = '{}: {}'.format(pyuv.errno.errorcode.get(errno, errno), pyuv.
errno.strerror(errno))
return cls(message, errno)
|
from_errno
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, errno):\n message = '{}: {}'.format(pyuv.errno.errorcode.get(errno, errno), pyuv.\n errno.strerror(errno))\n return cls(message, errno)\n",
"role": "user"
},
{
"content": "from_errno",
"role": "assistant"
}
] |
def x(self, protocol):
if self._protocol is not None:
raise TransportError('already started')
self._protocol = protocol
self._protocol.connection_made(self)
if self._readable:
self.resume_reading()
if self._writable:
self._writing = True
self._can_write.set()
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, protocol):\n if self._protocol is not None:\n raise TransportError('already started')\n self._protocol = protocol\n self._protocol.connection_made(self)\n if self._readable:\n self.resume_reading()\n if self._writable:\n self._writing = True\n self._can_write.set()\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self, high=None, low=None):
if high is None:
high = self.write_buffer_size
if low is None:
low = high // 2
if low > high:
low = high
self._write_buffer_high = high
self._write_buffer_low = low
|
set_write_buffer_limits
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, high=None, low=None):\n if high is None:\n high = self.write_buffer_size\n if low is None:\n low = high // 2\n if low > high:\n low = high\n self._write_buffer_high = high\n self._write_buffer_low = low\n",
"role": "user"
},
{
"content": "set_write_buffer_limits",
"role": "assistant"
}
] |
def x(self):
if self._closing or self._handle.closed:
return
elif self._protocol is None:
raise TransportError('transport not started')
if self._write_buffer_size == 0:
self._handle.close(self._on_close_complete)
assert self._handle.closed
else:
self._closing = True
|
close
|
[
{
"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._closing or self._handle.closed:\n return\n elif self._protocol is None:\n raise TransportError('transport not started')\n if self._write_buffer_size == 0:\n self._handle.close(self._on_close_complete)\n assert self._handle.closed\n else:\n self._closing = True\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self):
if self._handle.closed:
return
elif self._protocol is None:
raise TransportError('transport not started')
self._handle.close(self._on_close_complete)
assert self._handle.closed
|
abort
|
[
{
"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._handle.closed:\n return\n elif self._protocol is None:\n raise TransportError('transport not started')\n self._handle.close(self._on_close_complete)\n assert self._handle.closed\n",
"role": "user"
},
{
"content": "abort",
"role": "assistant"
}
] |
def x(self, data, handle=None):
if not isinstance(data, (bytes, bytearray, memoryview)):
raise TypeError('data: expecting a bytes-like instance, got {!r}'.
format(type(data).__name__))
if handle is not None and not isinstance(self._handle, pyuv.Pipe):
raise ValueError('handle: can only be sent over pyuv.Pipe')
self._check_status()
if not self._writable:
raise TransportError('transport is not writable')
if self._closing:
raise TransportError('transport is closing')
try:
if handle:
self._handle.write(data, self._on_write_complete, handle)
else:
self._handle.write(data, self._on_write_complete)
except pyuv.error.UVError as e:
self._error = TransportError.from_errno(e.args[0])
self.abort()
raise compat.saved_exc(self._error)
self._write_buffer_size += 1
self._maybe_pause_protocol()
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, handle=None):\n if not isinstance(data, (bytes, bytearray, memoryview)):\n raise TypeError('data: expecting a bytes-like instance, got {!r}'.\n format(type(data).__name__))\n if handle is not None and not isinstance(self._handle, pyuv.Pipe):\n raise ValueError('handle: can only be sent over pyuv.Pipe')\n self._check_status()\n if not self._writable:\n raise TransportError('transport is not writable')\n if self._closing:\n raise TransportError('transport is closing')\n try:\n if handle:\n self._handle.write(data, self._on_write_complete, handle)\n else:\n self._handle.write(data, self._on_write_complete)\n except pyuv.error.UVError as e:\n self._error = TransportError.from_errno(e.args[0])\n self.abort()\n raise compat.saved_exc(self._error)\n self._write_buffer_size += 1\n self._maybe_pause_protocol()\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self):
self._check_status()
if not self._writable:
raise TransportError('transport is not writable')
if self._closing:
raise TransportError('transport is closing')
try:
self._handle.shutdown(self._on_write_complete)
except pyuv.error.UVError as e:
self._error = TransportError.from_errno(e.args[0])
self.abort()
raise compat.saved_exc(self._error)
self._write_buffer_size += 1
|
write_eof
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._check_status()\n if not self._writable:\n raise TransportError('transport is not writable')\n if self._closing:\n raise TransportError('transport is closing')\n try:\n self._handle.shutdown(self._on_write_complete)\n except pyuv.error.UVError as e:\n self._error = TransportError.from_errno(e.args[0])\n self.abort()\n raise compat.saved_exc(self._error)\n self._write_buffer_size += 1\n",
"role": "user"
},
{
"content": "write_eof",
"role": "assistant"
}
] |
def x(self, name, default=None):
if name == 'sockname':
if not hasattr(self._handle, 'getsockname'):
return default
try:
return self._handle.getsockname()
except pyuv.error.UVError:
return default
elif name == 'peername':
if not hasattr(self._handle, 'getpeername'):
return default
try:
return self._handle.getpeername()
except pyuv.error.UVError:
return default
elif name == 'winsize':
if not hasattr(self._handle, 'get_winsize'):
return default
try:
return self._handle.get_winsize()
except pyuv.error.UVError:
return default
elif name == 'unix_creds':
if not isinstance(self._handle, pyuv.Pipe) or not hasattr(socket,
'SO_PEERCRED'):
return default
try:
fd = self._handle.fileno()
sock = socket.fromfd(fd, socket.AF_UNIX, socket.SOCK_DGRAM)
with contextlib.closing(sock):
creds = sock.getsockopt(socket.SOL_SOCKET, socket.
SO_PEERCRED, struct.calcsize('3i'))
except socket.error:
return default
return struct.unpack('3i', creds)
elif name == 'server_hostname':
return self._server_hostname
else:
return super(Transport, self).get_extra_info(name, default)
|
get_extra_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, default=None):\n if name == 'sockname':\n if not hasattr(self._handle, 'getsockname'):\n return default\n try:\n return self._handle.getsockname()\n except pyuv.error.UVError:\n return default\n elif name == 'peername':\n if not hasattr(self._handle, 'getpeername'):\n return default\n try:\n return self._handle.getpeername()\n except pyuv.error.UVError:\n return default\n elif name == 'winsize':\n if not hasattr(self._handle, 'get_winsize'):\n return default\n try:\n return self._handle.get_winsize()\n except pyuv.error.UVError:\n return default\n elif name == 'unix_creds':\n if not isinstance(self._handle, pyuv.Pipe) or not hasattr(socket,\n 'SO_PEERCRED'):\n return default\n try:\n fd = self._handle.fileno()\n sock = socket.fromfd(fd, socket.AF_UNIX, socket.SOCK_DGRAM)\n with contextlib.closing(sock):\n creds = sock.getsockopt(socket.SOL_SOCKET, socket.\n SO_PEERCRED, struct.calcsize('3i'))\n except socket.error:\n return default\n return struct.unpack('3i', creds)\n elif name == 'server_hostname':\n return self._server_hostname\n else:\n return super(Transport, self).get_extra_info(name, default)\n",
"role": "user"
},
{
"content": "get_extra_info",
"role": "assistant"
}
] |
def x(self, handle, addr, flags, data, error):
assert handle is self._handle
if error:
self._log.warning('pyuv error {} in recv callback', error)
self._protocol.error_received(TransportError.from_errno(error))
elif flags:
assert flags & pyuv.UV_UDP_PARTIAL
self._log.warning('ignoring partial datagram')
elif data:
self._protocol.datagram_received(data, addr)
|
on_recv_complete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, addr, flags, data, error):\n assert handle is self._handle\n if error:\n self._log.warning('pyuv error {} in recv callback', error)\n self._protocol.error_received(TransportError.from_errno(error))\n elif flags:\n assert flags & pyuv.UV_UDP_PARTIAL\n self._log.warning('ignoring partial datagram')\n elif data:\n self._protocol.datagram_received(data, addr)\n",
"role": "user"
},
{
"content": "on_recv_complete",
"role": "assistant"
}
] |
def x(self, handle, error):
assert handle is self._handle
self._write_buffer_size -= 1
assert self._write_buffer_size >= 0
if self._error:
self._log.debug('ignore sendto status {} after error', error)
elif error and error != pyuv.errno.UV_ECANCELED:
self._log.warning('pyuv error {} in sendto callback', error)
self._protocol.error_received(TransportError.from_errno(error))
self._maybe_resume_protocol()
self._maybe_close()
|
on_send_complete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, error):\n assert handle is self._handle\n self._write_buffer_size -= 1\n assert self._write_buffer_size >= 0\n if self._error:\n self._log.debug('ignore sendto status {} after error', error)\n elif error and error != pyuv.errno.UV_ECANCELED:\n self._log.warning('pyuv error {} in sendto callback', error)\n self._protocol.error_received(TransportError.from_errno(error))\n self._maybe_resume_protocol()\n self._maybe_close()\n",
"role": "user"
},
{
"content": "on_send_complete",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.