source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(cls, name, config, prefix='depot.'):
if name in cls._depots:
raise RuntimeError('Depot %s has already been configured' % (name,))
if cls._default_depot is None:
cls._default_depot = name
cls._depots[name] = cls.from_config(config, prefix)
return cls._depots[name]
| configure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, config, prefix='depot.'):\n if name in cls._depots:\n raise RuntimeError('Depot %s has already been configured' % (name,))\n if cls._de... |
def x(cls, app, **options):
from depot.middleware import DepotMiddleware
mw = DepotMiddleware(app, **options)
cls.set_middleware(mw)
return mw
| make_middleware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, app, **options):\n from depot.middleware import DepotMiddleware\n mw = DepotMiddleware(app, **options)\n cls.set_middleware(mw)\n return mw\n"... |
def x(cls, config, prefix='depot.'):
config = config or {}
backend = config.get(prefix + 'backend', 'depot.io.local.LocalFileStorage')
prefixlen = len(prefix)
options = dict((k[prefixlen:], config[k]) for k in config.keys() if k.
startswith(prefix))
options.pop('backend', None)
return cls._new(backend, **options)
| from_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, config, prefix='depot.'):\n config = config or {}\n backend = config.get(prefix + 'backend', 'depot.io.local.LocalFileStorage')\n prefixlen = len... |
def x(cls):
cls._default_depot = None
cls._depots = {}
cls._middleware = None
cls._aliases = {}
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n cls._default_depot = None\n cls._depots = {}\n cls._middleware = None\n cls._aliases = {}\n",
"role": "user"
},
{
"content": "c... |
def x(command, conf, vars):
from depotexample import model
print('Creating tables')
model.metadata.create_all(bind=config['tg.app_globals'].sa_engine)
transaction.commit()
print('Initializing Migrations')
import alembic.config, alembic.command
alembic_cfg = alembic.config.Config()
alembic_cfg.set_main_option('script_location', 'migration')
alembic_cfg.set_main_option('sqlalchemy.url', config['sqlalchemy.url'])
alembic.command.stamp(alembic_cfg, 'head')
| setup_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, conf, vars):\n from depotexample import model\n print('Creating tables')\n model.metadata.create_all(bind=config['tg.app_globals'].sa_engine)... |
def x(self):
perms = set()
for g in self.groups:
perms = perms | set(g.permissions)
return perms
| permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n perms = set()\n for g in self.groups:\n perms = perms | set(g.permissions)\n return perms\n",
"role": "user"
},
{
"content... |
def x(cls, email):
return DBSession.query(cls).filter_by(email_address=email).first()
| by_email_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, email):\n return DBSession.query(cls).filter_by(email_address=email).first()\n",
"role": "user"
},
{
"content": "by_email_address",
"ro... |
def x(cls, username):
return DBSession.query(cls).filter_by(user_name=username).first()
| by_user_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, username):\n return DBSession.query(cls).filter_by(user_name=username).first()\n",
"role": "user"
},
{
"content": "by_user_name",
"role... |
def x(self, password):
hash = sha256()
hash.update((password + self.password[:64]).encode('utf-8'))
return self.password[64:] == hash.hexdigest()
| validate_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, password):\n hash = sha256()\n hash.update((password + self.password[:64]).encode('utf-8'))\n return self.password[64:] == hash.hexdigest()\n",
... |
def x(self, *args, **kwargs):
resp = request.environ.get('pylons.original_response')
default_message = (
"<p>We're sorry but we weren't able to process this request.</p>")
values = dict(prefix=request.environ.get('SCRIPT_NAME', ''), code=
request.params.get('code', resp.status_int), message=request.params
.get('message', default_message))
return values
| document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n resp = request.environ.get('pylons.original_response')\n default_message = (\n \"<p>We're sorry but we weren't able to p... |
def x(global_conf, full_stack=True, **app_conf):
app = make_base_app(global_conf, full_stack=True, **app_conf)
from depot.manager import DepotManager
app = DepotManager.make_middleware(app)
return app
| make_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(global_conf, full_stack=True, **app_conf):\n app = make_base_app(global_conf, full_stack=True, **app_conf)\n from depot.manager import DepotManager\n ... |
def x(self, content, filename=None, content_type=None):
file_path, file_id = self.store_content(content, filename, content_type)
self['file_id'] = file_id
self['path'] = file_path
saved_file = self.file
self['filename'] = saved_file.filename
self['content_type'] = saved_file.content_type
self['uploaded_at'] = saved_file.last_modified.strftime('%Y-%m-%d %H:%M:%S'
)
self['_public_url'] = saved_file.public_url
| process_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content, filename=None, content_type=None):\n file_path, file_id = self.store_content(content, filename, content_type)\n self['file_id'] = file_id\... |
def x(command, conf, vars):
from sqlalchemy.exc import IntegrityError
try:
u = model.User()
u.user_name = 'manager'
u.display_name = 'Example manager'
u.email_address = 'manager@somedomain.com'
u.password = 'managepass'
model.DBSession.add(u)
g = model.Group()
g.group_name = 'managers'
g.display_name = 'Managers Group'
g.users.append(u)
model.DBSession.add(g)
p = model.Permission()
p.permission_name = 'manage'
p.description = (
'This permission give an administrative right to the bearer')
p.groups.append(g)
model.DBSession.add(p)
u1 = model.User()
u1.user_name = 'editor'
u1.display_name = 'Example editor'
u1.email_address = 'editor@somedomain.com'
u1.password = 'editpass'
model.DBSession.add(u1)
model.DBSession.flush()
transaction.commit()
except IntegrityError:
print(
'Warning, there was a problem adding your auth data, it may have already been added:'
)
import traceback
print(traceback.format_exc())
transaction.abort()
print('Continuing with bootstrapping...')
| bootstrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, conf, vars):\n from sqlalchemy.exc import IntegrityError\n try:\n u = model.User()\n u.user_name = 'manager'\n u.display_na... |
def x(content):
f = content
if isinstance(content, cgi.FieldStorage):
f = content.file
elif isinstance(content, FileIntent):
f = content._fileobj
elif isinstance(content, byte_string):
f = SpooledTemporaryFile(INMEMORY_FILESIZE)
f.write(content)
f.seek(0)
return f
| file_from_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content):\n f = content\n if isinstance(content, cgi.FieldStorage):\n f = content.file\n elif isinstance(content, FileIntent):\n f = con... |
def x(fileobj, filename=None, content_type=None, existing=None):
return _FileInfo(fileobj, filename, content_type).get_info(existing)
| fileinfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fileobj, filename=None, content_type=None, existing=None):\n return _FileInfo(fileobj, filename, content_type).get_info(existing)\n",
"role": "user"
}... |
def x(self, came_from=lurl('/')):
login_counter = request.environ.get('repoze.who.logins', 0)
if login_counter > 0:
flash(_('Wrong credentials'), 'warning')
return dict(page='login', login_counter=str(login_counter), came_from=
came_from)
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, came_from=lurl('/')):\n login_counter = request.environ.get('repoze.who.logins', 0)\n if login_counter > 0:\n flash(_('Wrong credentials'), ... |
def x(self, came_from=lurl('/')):
if not request.identity:
login_counter = request.environ.get('repoze.who.logins', 0) + 1
redirect('/login', params=dict(came_from=came_from, __logins=
login_counter))
userid = request.identity['repoze.who.userid']
flash(_('Welcome back, %s!') % userid)
redirect(came_from)
| post_login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, came_from=lurl('/')):\n if not request.identity:\n login_counter = request.environ.get('repoze.who.logins', 0) + 1\n redirect('/login', ... |
def x(examples, alt_rules=None):
date_classes = _tag_most_likely(examples)
if alt_rules:
date_classes = _apply_rewrites(date_classes, alt_rules)
else:
date_classes = _apply_rewrites(date_classes, RULES)
date_string = ''
for date_class in date_classes:
date_string += date_class.directive
return date_string
| infer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(examples, alt_rules=None):\n date_classes = _tag_most_likely(examples)\n if alt_rules:\n date_classes = _apply_rewrites(date_classes, alt_rules)\n... |
def x(date_classes, rules):
for rule in rules:
date_classes = rule.execute(date_classes)
return date_classes
| apply_rewrites | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_classes, rules):\n for rule in rules:\n date_classes = rule.execute(date_classes)\n return date_classes\n",
"role": "user"
},
{
"... |
def x(elems):
if len(elems) == 0:
return None
c = collections.Counter()
c.update(elems)
most_common = c.most_common(1)
most_common.sort()
return most_common[0][0]
| mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(elems):\n if len(elems) == 0:\n return None\n c = collections.Counter()\n c.update(elems)\n most_common = c.most_common(1)\n most_common.... |
def x(date_elems):
most_index = len(DATE_ELEMENTS)
for date_elem in date_elems:
if date_elem in DATE_ELEMENTS and DATE_ELEMENTS.index(date_elem
) < most_index:
most_index = DATE_ELEMENTS.index(date_elem)
if most_index < len(DATE_ELEMENTS):
return DATE_ELEMENTS[most_index]
else:
raise KeyError('No least restrictive date element found')
| most_restrictive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_elems):\n most_index = len(DATE_ELEMENTS)\n for date_elem in date_elems:\n if date_elem in DATE_ELEMENTS and DATE_ELEMENTS.index(date_elem\n ... |
def x(date_classes, tokens):
match_count = [0] * len(date_classes)
for i, date_class in enumerate(date_classes):
for token in tokens:
if date_class.is_match(token):
match_count[i] += 1
percentages = tuple([(float(m) / len(tokens)) for m in match_count])
return percentages
| percent_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_classes, tokens):\n match_count = [0] * len(date_classes)\n for i, date_class in enumerate(date_classes):\n for token in tokens:\n ... |
def x(examples):
tokenized_examples = [_tokenize_by_character_class(example) for example in
examples]
token_lengths = [len(e) for e in tokenized_examples]
token_lengths_mode = _mode(token_lengths)
tokenized_examples = [example for example in tokenized_examples if len(
example) == token_lengths_mode]
most_likely = []
for token_index in range(0, token_lengths_mode):
tokens = [token[token_index] for token in tokenized_examples]
probabilities = _percent_match(DATE_ELEMENTS, tokens)
max_prob = max(probabilities)
if max_prob < 0.5:
most_likely.append(Filler(_mode(tokens)))
elif probabilities.count(max_prob) == 1:
most_likely.append(DATE_ELEMENTS[probabilities.index(max_prob)])
else:
choices = []
for index, prob in enumerate(probabilities):
if prob == max_prob:
choices.append(DATE_ELEMENTS[index])
most_likely.append(_most_restrictive(choices))
return most_likely
| tag_most_likely | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(examples):\n tokenized_examples = [_tokenize_by_character_class(example) for example in\n examples]\n token_lengths = [len(e) for e in tokenized_e... |
def x(s):
character_classes = [string.digits, string.ascii_letters, string.
punctuation, string.whitespace]
result = []
rest = list(s)
while rest:
progress = False
for character_class in character_classes:
if rest[0] in character_class:
progress = True
token = ''
for take_away in itertools.takewhile(lambda c: c in
character_class, rest[:]):
token += take_away
rest.pop(0)
result.append(token)
break
if not progress:
result.append(rest[0])
rest = rest[1:]
return result
| tokenize_by_character_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n character_classes = [string.digits, string.ascii_letters, string.\n punctuation, string.whitespace]\n result = []\n rest = list(s)\n w... |
def x(self, elem_list):
if self.condition.is_true(elem_list):
return self.action.act(elem_list)
else:
return elem_list
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, elem_list):\n if self.condition.is_true(elem_list):\n return self.action.act(elem_list)\n else:\n return elem_list\n",
"role": "u... |
def x(elem, seq_expr):
if type(seq_expr) is str:
if seq_expr == '.':
return True
elif seq_expr == '\\d':
return elem.is_numerical()
elif seq_expr == '\\D':
return not elem.is_numerical()
else:
raise LookupError('{0} is not a valid wild-card'.format(seq_expr))
else:
return elem == seq_expr
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(elem, seq_expr):\n if type(seq_expr) is str:\n if seq_expr == '.':\n return True\n elif seq_expr == '\\\\d':\n return el... |
def x(find_seq, elem_list):
seq_pos = 0
for index, elem in enumerate(elem_list):
if Sequence.match(elem, find_seq[seq_pos]):
seq_pos += 1
if seq_pos == len(find_seq):
return index - seq_pos + 1
else:
seq_pos = 0
raise LookupError('Failed to find sequence in elem_list')
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(find_seq, elem_list):\n seq_pos = 0\n for index, elem in enumerate(elem_list):\n if Sequence.match(elem, find_seq[seq_pos]):\n seq_pos ... |
def x(grade_str):
try:
grade = float(grade_str)
assert 0 <= grade <= 100
if 95 <= grade <= 100:
return 4.3
elif 90 <= grade < 95:
return 4.0
elif 85 <= grade < 90:
return 3.7
elif 82 <= grade < 85:
return 3.3
elif 78 <= grade < 82:
return 3.0
elif 75 <= grade < 78:
return 2.7
elif 72 <= grade < 75:
return 2.3
elif 68 <= grade < 72:
return 2.0
elif 66 <= grade < 68:
return 1.7
elif 64 <= grade < 66:
return 1.3
elif 60 <= grade < 64:
return 1.0
else:
return 0.0
except ValueError:
if grade_str == '优':
return 3.9
elif grade_str == '良':
return 3.0
elif grade_str == '中':
return 2.0
elif grade_str == '及格':
return 1.2
elif grade_str in ('不及格', '免修', '未考'):
return 0.0
else:
raise ValueError('{:s} 不是有效的成绩'.format(grade_str))
| get_point | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(grade_str):\n try:\n grade = float(grade_str)\n assert 0 <= grade <= 100\n if 95 <= grade <= 100:\n return 4.3\n elif... |
def x(grades):
courses_sum = len(grades)
points_sum = 0
credit_sum = 0
gpa_points_sum = 0
for grade in grades:
point = get_point(grade.get('补考成绩') or grade['成绩'])
credit = float(grade['学分'])
points_sum += point
credit_sum += credit
gpa_points_sum += credit * point
ave_point = points_sum / courses_sum
gpa = gpa_points_sum / credit_sum
return round(ave_point, 5), round(gpa, 5)
| cal_gpa | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(grades):\n courses_sum = len(grades)\n points_sum = 0\n credit_sum = 0\n gpa_points_sum = 0\n for grade in grades:\n point = get_point(gr... |
def x(year, is_first_term=True):
if year <= 2001:
msg = '出现了超出范围年份: {}'.format(year)
raise ValueError(msg)
term_code = (year - 2001) * 2
if is_first_term:
term_code -= 1
return '%03d' % term_code
| cal_term_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, is_first_term=True):\n if year <= 2001:\n msg = '出现了超出范围年份: {}'.format(year)\n raise ValueError(msg)\n term_code = (year - 2001) * 2\... |
def x(term_str):
result = ENV['TERM_PATTERN'].match(term_str).groups()
year = int(result[0])
return cal_term_code(year, result[1] == '一')
| term_str2code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(term_str):\n result = ENV['TERM_PATTERN'].match(term_str).groups()\n year = int(result[0])\n return cal_term_code(year, result[1] == '一')\n",
"rol... |
def x(hosts, method='GET', path='/', timeout=(5, 10), **kwargs):
ranks = []
class HostCheckerThread(Thread):
def x(self, host):
super(HostCheckerThread, self).__init__()
self.host = host
def x(self):
INFINITY = 10000000
try:
url = urllib.parse.urljoin(self.host, path)
res = requests.request(method, url, timeout=timeout, **kwargs)
res.raise_for_status()
cost = res.elapsed.total_seconds() * 1000
except Exception as e:
logger.warning('访问出错: %s', e)
cost = INFINITY
ranks.append((cost, self.host))
threads = [HostCheckerThread(u) for u in hosts]
for t in threads:
t.start()
for t in threads:
t.join()
ranks.sort()
return ranks
| sort_hosts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hosts, method='GET', path='/', timeout=(5, 10), **kwargs):\n ranks = []\n\n\n class HostCheckerThread(Thread):\n\n def x(self, host):\n ... |
def x(curriculum, week, weekday=None):
if weekday:
c = [deepcopy(curriculum[weekday - 1])]
else:
c = deepcopy(curriculum)
for d in c:
l = len(d)
for t_idx in range(l):
t = d[t_idx]
if t is None:
continue
t = list(filter(lambda k: week in k['上课周数'], t)) or None
if t is not None and len(t) > 1:
logger.warning('第 %d 周周 %d 第 %d 节课有冲突: %s', week, weekday or
c.index(d) + 1, t_idx + 1, t)
d[t_idx] = t
return c[0] if weekday else c
| filter_curriculum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(curriculum, week, weekday=None):\n if weekday:\n c = [deepcopy(curriculum[weekday - 1])]\n else:\n c = deepcopy(curriculum)\n for d in c... |
def x(curriculum, first_day, compress=False, time_table=None):
schedule = []
time_table = time_table or ((timedelta(hours=8), timedelta(hours=8,
minutes=50)), (timedelta(hours=9), timedelta(hours=9, minutes=50)),
(timedelta(hours=10, minutes=10), timedelta(hours=11)), (timedelta(
hours=11, minutes=10), timedelta(hours=12)), (timedelta(hours=14),
timedelta(hours=14, minutes=50)), (timedelta(hours=15), timedelta(
hours=15, minutes=50)), (timedelta(hours=16), timedelta(hours=16,
minutes=50)), (timedelta(hours=17), timedelta(hours=17, minutes=50)
), (timedelta(hours=19), timedelta(hours=19, minutes=50)), (
timedelta(hours=19, minutes=50), timedelta(hours=20, minutes=40)),
(timedelta(hours=20, minutes=40), timedelta(hours=21, minutes=30)))
for i, d in enumerate(curriculum):
for j, cs in enumerate(d):
for c in (cs or []):
course = '{name}[{place}]'.format(name=c['课程名称'], place=c[
'课程地点'])
for week in c['上课周数']:
day = first_day + timedelta(weeks=week - 1, days=i)
start, end = time_table[j]
item = week, day + start, day + end, course
schedule.append(item)
schedule.sort()
if compress:
new_schedule = [schedule[0]]
for i in range(1, len(schedule)):
sch = schedule[i]
if new_schedule[-1][1].date() == sch[1].date() and new_schedule[-1
][3] == sch[3]:
old_item = new_schedule.pop()
new_item = old_item[0], old_item[1], sch[2], old_item[3]
else:
new_item = sch
new_schedule.append(new_item)
return new_schedule
return schedule
| curriculum2schedule | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(curriculum, first_day, compress=False, time_table=None):\n schedule = []\n time_table = time_table or ((timedelta(hours=8), timedelta(hours=8,\n m... |
def x(board_width, board_height, num_mines, port, ip_add):
ms_game = MSGame(board_width, board_height, num_mines, port=port,
ip_add=ip_add)
ms_app = QApplication([])
ms_window = QWidget()
ms_window.setAutoFillBackground(True)
ms_window.setWindowTitle('Mine Sweeper')
ms_layout = QGridLayout()
ms_window.setLayout(ms_layout)
fun_wg = gui.ControlWidget()
grid_wg = gui.GameWidget(ms_game, fun_wg)
remote_thread = gui.RemoteControlThread()
def x(move_msg):
if grid_wg.ms_game.game_status == 2:
grid_wg.ms_game.play_move_msg(str(move_msg))
grid_wg.update_grid()
remote_thread.transfer.connect(update_grid_remote)
def x():
grid_wg.reset_game()
fun_wg.reset_button.clicked.connect(reset_button_state)
ms_layout.addWidget(fun_wg, 0, 0)
ms_layout.addWidget(grid_wg, 1, 0)
remote_thread.control_start(grid_wg.ms_game)
ms_window.show()
ms_app.exec_()
| ms_game_main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(board_width, board_height, num_mines, port, ip_add):\n ms_game = MSGame(board_width, board_height, num_mines, port=port,\n ip_add=ip_add)\n ms_app... |
def x(schedule, name='课表', using_todo=True):
cal = icalendar.Calendar()
cal.add('X-WR-TIMEZONE', 'Asia/Shanghai')
cal.add('X-WR-CALNAME', name)
cls = icalendar.Todo if using_todo else icalendar.Event
for week, start, end, data in schedule:
item = cls(SUMMARY='第{:02d}周-{}'.format(week, data), DTSTART=
icalendar.vDatetime(start), DTEND=icalendar.vDatetime(end),
DESCRIPTION='起始于 {}, 结束于 {}'.format(start.strftime('%H:%M'),
end.strftime('%H:%M')))
now = datetime.now()
if using_todo:
if start < now < end:
item.add('STATUS', 'IN-PROCESS')
elif now > end:
item.add('STATUS', 'COMPLETED')
cal.add_component(item)
return cal
| schedule2calendar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schedule, name='课表', using_todo=True):\n cal = icalendar.Calendar()\n cal.add('X-WR-TIMEZONE', 'Asia/Shanghai')\n cal.add('X-WR-CALNAME', name)\n c... |
def x(self, with_tcp=True):
self.board = self.create_board(self.board_width, self.board_height,
self.num_mines)
self.game_status = 2
self.num_moves = 0
self.move_history = []
if with_tcp is True:
self.tcp_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
self.tcp_socket.bind((self.TCP_IP, self.TCP_PORT))
self.tcp_socket.listen(1)
| init_new_game | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, with_tcp=True):\n self.board = self.create_board(self.board_width, self.board_height,\n self.num_mines)\n self.game_status = 2\n self.num... |
def x(self, move_type, move_x, move_y):
if move_type not in self.move_types:
raise ValueError('This is not a valid move!')
if move_x < 0 or move_x >= self.board_width:
raise ValueError('This is not a valid X position of the move!')
if move_y < 0 or move_y >= self.board_height:
raise ValueError('This is not a valid Y position of the move!')
move_des = {}
move_des['move_type'] = move_type
move_des['move_x'] = move_x
move_des['move_y'] = move_y
self.num_moves += 1
return move_des
| check_move | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_type, move_x, move_y):\n if move_type not in self.move_types:\n raise ValueError('This is not a valid move!')\n if move_x < 0 or move_x... |
def x(self, move_type, move_x, move_y):
if self.game_status == 2:
self.move_history.append(self.check_move(move_type, move_x, move_y))
else:
self.end_game()
if move_type == 'click':
self.board.click_field(move_x, move_y)
elif move_type == 'flag':
self.board.flag_field(move_x, move_y)
elif move_type == 'unflag':
self.board.unflag_field(move_x, move_y)
elif move_type == 'question':
self.board.question_field(move_x, move_y)
if self.board.check_board() == 0:
self.game_status = 0
self.end_game()
elif self.board.check_board() == 1:
self.game_status = 1
self.end_game()
elif self.board.check_board() == 2:
self.game_status = 2
| play_move | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_type, move_x, move_y):\n if self.game_status == 2:\n self.move_history.append(self.check_move(move_type, move_x, move_y))\n else:\n ... |
def x(self, move_msg):
type_idx = move_msg.index(':')
move_type = move_msg[:type_idx]
pos_idx = move_msg.index(',')
move_x = int(move_msg[type_idx + 1:pos_idx])
move_y = int(move_msg[pos_idx + 1:])
return move_type, move_x, move_y
| parse_move | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_msg):\n type_idx = move_msg.index(':')\n move_type = move_msg[:type_idx]\n pos_idx = move_msg.index(',')\n move_x = int(move_msg[type_id... |
def x(self, move_msg):
move_type, move_x, move_y = self.parse_move(move_msg)
self.play_move(move_type, move_x, move_y)
| play_move_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_msg):\n move_type, move_x, move_y = self.parse_move(move_msg)\n self.play_move(move_type, move_x, move_y)\n",
"role": "user"
},
{
... |
def x(self):
self.conn, self.addr = self.tcp_socket.accept()
print('[MESSAGE] The connection is established at: ', self.addr)
self.tcp_send('> ')
| tcp_accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.conn, self.addr = self.tcp_socket.accept()\n print('[MESSAGE] The connection is established at: ', self.addr)\n self.tcp_send('> ')\n",
... |
def x(self):
data = self.conn.recv(self.BUFFER_SIZE)
if type(data) != str:
data = data.decode('utf-8')
return str(data)
| tcp_receive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = self.conn.recv(self.BUFFER_SIZE)\n if type(data) != str:\n data = data.decode('utf-8')\n return str(data)\n",
"role": "user... |
def x(trs):
tr_strs = []
for tr in trs:
strs = []
for td in tr.find_all('td'):
text = td.get_text(strip=True)
strs.append(text or None)
tr_strs.append(strs)
logger.debug('从行中解析出以下数据\n%s', pformat(tr_strs))
return tr_strs
| parse_tr_strs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(trs):\n tr_strs = []\n for tr in trs:\n strs = []\n for td in tr.find_all('td'):\n text = td.get_text(strip=True)\n s... |
def x(multiply_list):
if isinstance(multiply_list, list):
return [rv for l in multiply_list for rv in flatten_list(l)]
else:
return [multiply_list]
| flatten_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(multiply_list):\n if isinstance(multiply_list, list):\n return [rv for l in multiply_list for rv in flatten_list(l)]\n else:\n return [mult... |
def x(dict_list, columns):
k = len(columns)
n = len(dict_list)
result = [([None] * k) for i in range(n)]
for i in range(n):
row = dict_list[i]
for j in range(k):
col = columns[j]
if col in row:
result[i][j] = row[col]
else:
result[i][j] = None
return result
| dict_list_2_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict_list, columns):\n k = len(columns)\n n = len(dict_list)\n result = [([None] * k) for i in range(n)]\n for i in range(n):\n row = dict_l... |
def x(course_str):
p = re.compile('(.+?)\\[(.+?)\\s+\\(([\\d,-单双]+?)周\\)\\]/')
courses = p.findall(course_str)
results = []
for course in courses:
d = {'课程名称': course[0], '课程地点': course[1]}
week_str = course[2]
l = week_str.split(',')
weeks = []
for v in l:
m = re.match('(\\d+)$', v) or re.match('(\\d+)-(\\d+)$', v
) or re.match('(\\d+)-(\\d+)(单|双)$', v)
g = m.groups()
gl = len(g)
if gl == 1:
weeks.append(int(g[0]))
elif gl == 2:
weeks.extend([i for i in range(int(g[0]), int(g[1]) + 1)])
else:
weeks.extend([i for i in range(int(g[0]), int(g[1]) + 1, 2)])
d['上课周数'] = weeks
results.append(d)
return results
| parse_course | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(course_str):\n p = re.compile('(.+?)\\\\[(.+?)\\\\s+\\\\(([\\\\d,-单双]+?)周\\\\)\\\\]/')\n courses = p.findall(course_str)\n results = []\n for cours... |
def x(self, xqdm, kcdm, jxbh):
return self.query(GetClassStudents(xqdm, kcdm, jxbh))
| get_class_students | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xqdm, kcdm, jxbh):\n return self.query(GetClassStudents(xqdm, kcdm, jxbh))\n",
"role": "user"
},
{
"content": "get_class_students",
"r... |
def x(self, xqdm, kcdm, jxbh):
return self.query(GetClassInfo(xqdm, kcdm, jxbh))
| get_class_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xqdm, kcdm, jxbh):\n return self.query(GetClassInfo(xqdm, kcdm, jxbh))\n",
"role": "user"
},
{
"content": "get_class_info",
"role": "a... |
def x(self, xqdm, kcdm=None, kcmc=None):
return self.query(SearchCourse(xqdm, kcdm, kcmc))
| search_course | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xqdm, kcdm=None, kcmc=None):\n return self.query(SearchCourse(xqdm, kcdm, kcmc))\n",
"role": "user"
},
{
"content": "search_course",
"... |
def x(self, xqdm, kclx='b', zydm=''):
return self.query(GetTeachingPlan(xqdm, kclx, zydm))
| get_teaching_plan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xqdm, kclx='b', zydm=''):\n return self.query(GetTeachingPlan(xqdm, kclx, zydm))\n",
"role": "user"
},
{
"content": "get_teaching_plan",
... |
def x(self, new_password):
if self.session.campus == HF:
raise ValueError('合肥校区使用信息中心账号登录, 修改教务密码没有作用')
if new_password == self.session.password:
raise ValueError('原密码与新密码相同')
result = self.query(ChangePassword(self.session.password, new_password))
if result:
self.session.password = new_password
return result
| change_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_password):\n if self.session.campus == HF:\n raise ValueError('合肥校区使用信息中心账号登录, 修改教务密码没有作用')\n if new_password == self.session.password:\... |
def x(self, tel):
return type(tel)(self.query(SetTelephone(tel))) == tel
| set_telephone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tel):\n return type(tel)(self.query(SetTelephone(tel))) == tel\n",
"role": "user"
},
{
"content": "set_telephone",
"role": "assistant"... |
def x(self, kcdm, jxbh, r101=1, r102=1, r103=1, r104=1, r105=1, r106=1,
r107=1, r108=1, r109=1, r201=3, r202=3, advice=''):
return self.query(EvaluateCourse(kcdm, jxbh, r101, r102, r103, r104,
r105, r106, r107, r108, r109, r201, r202, advice))
| evaluate_course | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kcdm, jxbh, r101=1, r102=1, r103=1, r104=1, r105=1, r106=1,\n r107=1, r108=1, r109=1, r201=3, r202=3, advice=''):\n return self.query(EvaluateCours... |
def x(self, select_courses=None, delete_courses=None):
t = self.get_system_status()
if t['当前轮数'] is None:
raise ValueError('当前为 %s,选课系统尚未开启', t['当前学期'])
if not (select_courses or delete_courses):
raise ValueError('select_courses, delete_courses 参数不能都为空!')
select_courses = select_courses or []
delete_courses = {l.upper() for l in delete_courses or []}
selected_courses = self.get_selected_courses()
selected_kcdms = {course['课程代码'] for course in selected_courses}
unselected = delete_courses.difference(selected_kcdms)
if unselected:
msg = '无法删除没有被选的课程 {}'.format(unselected)
logger.warning(msg)
kcdms_data = []
jxbhs_data = []
for course in selected_courses:
if course['课程代码'] not in delete_courses:
kcdms_data.append(course['课程代码'])
jxbhs_data.append(course['教学班号'])
for kv in select_courses:
kcdm = kv['kcdm'].upper()
jxbhs = set(kv['jxbhs']) if kv.get('jxbhs') else set()
teaching_classes = self.get_course_classes(kcdm)
if not teaching_classes:
logger.warning('课程[%s]没有可选班级', kcdm)
continue
optional_jxbhs = {c['教学班号'] for c in teaching_classes['可选班级']}
if jxbhs:
wrong_jxbhs = jxbhs.difference(optional_jxbhs)
if wrong_jxbhs:
msg = '课程[{}]{}没有教学班号{}'.format(kcdm, teaching_classes[
'课程名称'], wrong_jxbhs)
logger.warning(msg)
jxbhs = jxbhs.intersection(optional_jxbhs)
else:
jxbhs = optional_jxbhs
for jxbh in jxbhs:
kcdms_data.append(kcdm)
jxbhs_data.append(jxbh)
return self.query(ChangeCourse(self.session.account, select_courses,
delete_courses))
| change_course | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, select_courses=None, delete_courses=None):\n t = self.get_system_status()\n if t['当前轮数'] is None:\n raise ValueError('当前为 %s,选课系统尚未开启', t['当... |
def x(self, kcdms):
selected_courses = self.get_selected_courses()
selected_kcdms = {course['课程代码'] for course in selected_courses}
result = [(True if kcdm in selected_kcdms else False) for kcdm in kcdms]
return result
| check_courses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kcdms):\n selected_courses = self.get_selected_courses()\n selected_kcdms = {course['课程代码'] for course in selected_courses}\n result = [(True if... |
def x(self, kcdms=None, pool_size=5, dump_result=True, filename='可选课程.json',
encoding='utf-8'):
now = time.time()
t = self.get_system_status()
if not t['选课计划'][0][1] < now < t['选课计划'][2][1]:
logger.warning('只推荐在第一轮选课结束到第三轮选课结束之间的时间段使用本接口!')
def x():
for l in self.get_optional_courses():
yield l['课程代码']
kcdms = kcdms or iter_kcdms()
def x(kcdm):
course_classes = self.get_course_classes(kcdm)
if not course_classes:
return
course_classes['可选班级'] = [c for c in course_classes['可选班级'] if c[
'课程容量'] > c['选中人数']]
if len(course_classes['可选班级']) > 0:
return course_classes
pool = Pool(pool_size)
result = list(filter(None, pool.map(target, kcdms)))
pool.close()
pool.join()
if dump_result:
json_str = json.dumps(result, ensure_ascii=False, indent=4,
sort_keys=True)
with open(filename, 'wb') as fp:
fp.write(json_str.encode(encoding))
logger.info('可选课程结果导出到了:%s', filename)
return result
| get_selectable_courses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kcdms=None, pool_size=5, dump_result=True, filename='可选课程.json',\n encoding='utf-8'):\n now = time.time()\n t = self.get_system_status()\n if... |
def x(self, request, **kwargs):
response = super(BaseSession, self).send(request, **kwargs)
if ENV['RAISE_FOR_STATUS']:
response.raise_for_status()
parsed = parse.urlparse(response.url)
if parsed.netloc == parse.urlparse(self.host).netloc:
response.encoding = ENV['SITE_ENCODING']
min_length, max_length, pattern = ENV['IP_BANNED_RESPONSE']
if min_length <= len(response.content
) <= max_length and pattern.search(response.text):
msg = '当前 IP 已被锁定, 如果可以请尝试切换教务系统地址, 否则请在更换网络环境或等待解封后重试!'
raise IPBanned(msg)
self.histories.append(response)
logger.debug(report_response(response, redirection=kwargs.get(
'allow_redirects')))
return response
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n response = super(BaseSession, self).send(request, **kwargs)\n if ENV['RAISE_FOR_STATUS']:\n response.raise_for_status(... |
def x(self):
self.mine_map = np.zeros((self.board_height, self.board_width), dtype=
np.uint8)
idx_list = np.random.permutation(self.board_width * self.board_height)
idx_list = idx_list[:self.num_mines]
for idx in idx_list:
idx_x = int(idx % self.board_width)
idx_y = int(idx / self.board_width)
self.mine_map[idx_y, idx_x] = 1
self.info_map = np.ones((self.board_height, self.board_width), dtype=np
.uint8) * 11
| init_board | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.mine_map = np.zeros((self.board_height, self.board_width), dtype=\n np.uint8)\n idx_list = np.random.permutation(self.board_width * ... |
def x(self, move_x, move_y):
field_status = self.info_map[move_y, move_x]
if field_status == 11:
if self.mine_map[move_y, move_x] == 1:
self.info_map[move_y, move_x] = 12
else:
self.discover_region(move_x, move_y)
| click_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_x, move_y):\n field_status = self.info_map[move_y, move_x]\n if field_status == 11:\n if self.mine_map[move_y, move_x] == 1:\n ... |
def x(self, move_x, move_y):
field_list = deque([(move_y, move_x)])
while len(field_list) != 0:
field = field_list.popleft()
tl_idx, br_idx, region_sum = self.get_region(field[1], field[0])
if region_sum == 0:
self.info_map[field[0], field[1]] = region_sum
region_mat = self.info_map[tl_idx[0]:br_idx[0] + 1, tl_idx[1]:
br_idx[1] + 1]
x_list, y_list = np.nonzero(region_mat == 11)
for x_idx, y_idx in zip(x_list, y_list):
field_temp = x_idx + max(field[0] - 1, 0), y_idx + max(
field[1] - 1, 0)
if field_temp not in field_list:
field_list.append(field_temp)
elif region_sum > 0:
self.info_map[field[0], field[1]] = region_sum
| discover_region | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_x, move_y):\n field_list = deque([(move_y, move_x)])\n while len(field_list) != 0:\n field = field_list.popleft()\n tl_idx, br_i... |
def x(self, move_x, move_y):
top_left = max(move_y - 1, 0), max(move_x - 1, 0)
bottom_right = min(move_y + 1, self.board_height - 1), min(move_x + 1,
self.board_width - 1)
region_sum = self.mine_map[top_left[0]:bottom_right[0] + 1, top_left[1]
:bottom_right[1] + 1].sum()
return top_left, bottom_right, region_sum
| get_region | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_x, move_y):\n top_left = max(move_y - 1, 0), max(move_x - 1, 0)\n bottom_right = min(move_y + 1, self.board_height - 1), min(move_x + 1, \n ... |
def x(self, move_x, move_y):
field_status = self.info_map[move_y, move_x]
if field_status != 9 and (field_status == 10 or field_status == 11):
self.info_map[move_y, move_x] = 9
| flag_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_x, move_y):\n field_status = self.info_map[move_y, move_x]\n if field_status != 9 and (field_status == 10 or field_status == 11):\n sel... |
def x(self, move_x, move_y):
field_status = self.info_map[move_y, move_x]
if field_status == 9 or field_status == 10:
self.info_map[move_y, move_x] = 11
| unflag_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_x, move_y):\n field_status = self.info_map[move_y, move_x]\n if field_status == 9 or field_status == 10:\n self.info_map[move_y, move_x... |
def x(self, move_x, move_y):
field_status = self.info_map[move_y, move_x]
if field_status != 10 and (field_status == 9 or field_status == 11):
self.info_map[move_y, move_x] = 10
| question_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move_x, move_y):\n field_status = self.info_map[move_y, move_x]\n if field_status != 10 and (field_status == 9 or field_status == 11):\n sel... |
def x(self):
num_mines = np.sum(self.info_map == 12)
num_undiscovered = np.sum(self.info_map == 11)
num_questioned = np.sum(self.info_map == 10)
if num_mines > 0:
return 0
elif np.array_equal(self.info_map == 9, self.mine_map):
return 1
elif num_undiscovered > 0 or num_questioned > 0:
return 2
| check_board | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n num_mines = np.sum(self.info_map == 12)\n num_undiscovered = np.sum(self.info_map == 11)\n num_questioned = np.sum(self.info_map == 10)\n ... |
def x(self):
board_str = 's\t\t'
for i in xrange(self.board_width):
board_str += str(i) + '\t'
board_str = board_str.expandtabs(4) + '\n\n'
for i in xrange(self.board_height):
temp_line = str(i) + '\t\t'
for j in xrange(self.board_width):
if self.info_map[i, j] == 9:
temp_line += '@\t'
elif self.info_map[i, j] == 10:
temp_line += '?\t'
elif self.info_map[i, j] == 11:
temp_line += '*\t'
elif self.info_map[i, j] == 12:
temp_line += '!\t'
else:
temp_line += str(self.info_map[i, j]) + '\t'
board_str += temp_line.expandtabs(4) + '\n'
return board_str
| board_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n board_str = 's\\t\\t'\n for i in xrange(self.board_width):\n board_str += str(i) + '\\t'\n board_str = board_str.expandtabs(4) + '\\n\... |
def x(response, request_headers=True, request_body=True, response_headers=
False, response_body=False, redirection=False):
url = 'Url: [{method}]{url} {status} {elapsed:.2f}ms'.format(method=
response.request.method, url=response.url, status=response.
status_code, elapsed=response.elapsed.total_seconds() * 1000)
pieces = [url]
if request_headers:
request_headers = 'Request headers: {request_headers}'.format(
request_headers=response.request.headers)
pieces.append(request_headers)
if request_body:
request_body = 'Request body: {request_body}'.format(request_body=
response.request.body)
pieces.append(request_body)
if response_headers:
response_headers = 'Response headers: {response_headers}'.format(
response_headers=response.headers)
pieces.append(response_headers)
if response_body:
response_body = 'Response body: {response_body}'.format(response_body
=response.text)
pieces.append(response_body)
reporter = '\n'.join(pieces)
if redirection and response.history:
for h in response.history[::-1]:
redirect_reporter = report_response(h, request_headers,
request_body, response_headers, response_body, redirection=
False)
reporter = '\n'.join([redirect_reporter, ' Redirect ↓ '.center(
72, '-'), reporter])
return reporter
| report_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response, request_headers=True, request_body=True, response_headers=\n False, response_body=False, redirection=False):\n url = 'Url: [{method}]{url} {sta... |
def x(self):
self.control_layout = QHBoxLayout()
self.setLayout(self.control_layout)
self.reset_button = QPushButton()
self.reset_button.setFixedSize(40, 40)
self.reset_button.setIcon(QtGui.QIcon(WIN_PATH))
self.game_timer = QLCDNumber()
self.game_timer.setStyleSheet('QLCDNumber {color: red;}')
self.game_timer.setFixedWidth(100)
self.move_counter = QLCDNumber()
self.move_counter.setStyleSheet('QLCDNumber {color: red;}')
self.move_counter.setFixedWidth(100)
self.control_layout.addWidget(self.game_timer)
self.control_layout.addWidget(self.reset_button)
self.control_layout.addWidget(self.move_counter)
| init_ui | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.control_layout = QHBoxLayout()\n self.setLayout(self.control_layout)\n self.reset_button = QPushButton()\n self.reset_button.setFixed... |
def x(self):
board_width = self.ms_game.board_width
board_height = self.ms_game.board_height
self.create_grid(board_width, board_height)
self.time = 0
self.timer = QtCore.QTimer()
self.timer.timeout.connect(self.timing_game)
self.timer.start(1000)
| init_ui | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n board_width = self.ms_game.board_width\n board_height = self.ms_game.board_height\n self.create_grid(board_width, board_height)\n self.tim... |
def x(self, grid_width, grid_height):
self.grid_layout = QGridLayout()
self.setLayout(self.grid_layout)
self.grid_layout.setSpacing(1)
self.grid_wgs = {}
for i in xrange(grid_height):
for j in xrange(grid_width):
self.grid_wgs[i, j] = FieldWidget()
self.grid_layout.addWidget(self.grid_wgs[i, j], i, j)
| create_grid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, grid_width, grid_height):\n self.grid_layout = QGridLayout()\n self.setLayout(self.grid_layout)\n self.grid_layout.setSpacing(1)\n self.grid_... |
def x(self):
self.ctrl_wg.game_timer.display(self.time)
self.time += 1
| timing_game | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.ctrl_wg.game_timer.display(self.time)\n self.time += 1\n",
"role": "user"
},
{
"content": "timing_game",
"role": "assistant... |
def x(self):
self.ms_game.reset_game()
self.update_grid()
self.time = 0
self.timer.start(1000)
| reset_game | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.ms_game.reset_game()\n self.update_grid()\n self.time = 0\n self.timer.start(1000)\n",
"role": "user"
},
{
"content": "re... |
def x(self):
info_map = self.ms_game.get_info_map()
for i in xrange(self.ms_game.board_height):
for j in xrange(self.ms_game.board_width):
self.grid_wgs[i, j].info_label(info_map[i, j])
self.ctrl_wg.move_counter.display(self.ms_game.num_moves)
if self.ms_game.game_status == 2:
self.ctrl_wg.reset_button.setIcon(QtGui.QIcon(CONTINUE_PATH))
elif self.ms_game.game_status == 1:
self.ctrl_wg.reset_button.setIcon(QtGui.QIcon(WIN_PATH))
self.timer.stop()
elif self.ms_game.game_status == 0:
self.ctrl_wg.reset_button.setIcon(QtGui.QIcon(LOSE_PATH))
self.timer.stop()
| update_grid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info_map = self.ms_game.get_info_map()\n for i in xrange(self.ms_game.board_height):\n for j in xrange(self.ms_game.board_width):\n ... |
def x(self):
self.id = 11
self.setFixedSize(self.field_width, self.field_height)
self.setPixmap(QtGui.QPixmap(EMPTY_PATH).scaled(self.field_width * 3,
self.field_height * 3))
self.setStyleSheet('QLabel {background-color: blue;}')
| init_ui | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.id = 11\n self.setFixedSize(self.field_width, self.field_height)\n self.setPixmap(QtGui.QPixmap(EMPTY_PATH).scaled(self.field_width * 3,... |
def x(self, event):
if event.button() == QtCore.Qt.LeftButton:
p_wg = self.parent()
p_layout = p_wg.layout()
idx = p_layout.indexOf(self)
loc = p_layout.getItemPosition(idx)[:2]
if p_wg.ms_game.game_status == 2:
p_wg.ms_game.play_move('click', loc[1], loc[0])
p_wg.update_grid()
elif event.button() == QtCore.Qt.RightButton:
p_wg = self.parent()
p_layout = p_wg.layout()
idx = p_layout.indexOf(self)
loc = p_layout.getItemPosition(idx)[:2]
if p_wg.ms_game.game_status == 2:
if self.id == 9:
self.info_label(10)
p_wg.ms_game.play_move('question', loc[1], loc[0])
p_wg.update_grid()
elif self.id == 11:
self.info_label(9)
p_wg.ms_game.play_move('flag', loc[1], loc[0])
p_wg.update_grid()
elif self.id == 10:
self.info_label(11)
p_wg.ms_game.play_move('unflag', loc[1], loc[0])
p_wg.update_grid()
| mousePressEvent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if event.button() == QtCore.Qt.LeftButton:\n p_wg = self.parent()\n p_layout = p_wg.layout()\n idx = p_layout.indexOf(s... |
def x(self, indicator):
if indicator in xrange(1, 9):
self.id = indicator
self.setPixmap(QtGui.QPixmap(NUMBER_PATHS[indicator]).scaled(self.
field_width, self.field_height))
elif indicator == 0:
self.id == 0
self.setPixmap(QtGui.QPixmap(NUMBER_PATHS[0]).scaled(self.
field_width, self.field_height))
elif indicator == 12:
self.id = 12
self.setPixmap(QtGui.QPixmap(BOOM_PATH).scaled(self.field_width,
self.field_height))
self.setStyleSheet('QLabel {background-color: black;}')
elif indicator == 9:
self.id = 9
self.setPixmap(QtGui.QPixmap(FLAG_PATH).scaled(self.field_width,
self.field_height))
self.setStyleSheet('QLabel {background-color: #A3C1DA;}')
elif indicator == 10:
self.id = 10
self.setPixmap(QtGui.QPixmap(QUESTION_PATH).scaled(self.field_width,
self.field_height))
self.setStyleSheet('QLabel {background-color: yellow;}')
elif indicator == 11:
self.id = 11
self.setPixmap(QtGui.QPixmap(EMPTY_PATH).scaled(self.field_width *
3, self.field_height * 3))
self.setStyleSheet('QLabel {background-color: blue;}')
| info_label | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indicator):\n if indicator in xrange(1, 9):\n self.id = indicator\n self.setPixmap(QtGui.QPixmap(NUMBER_PATHS[indicator]).scaled(self.\n... |
def x(self):
self.ms_game.tcp_accept()
while True:
data = self.ms_game.tcp_receive()
if data == 'help\n':
self.ms_game.tcp_help()
self.ms_game.tcp_send('> ')
elif data == 'exit\n':
self.ms_game.tcp_close()
elif data == 'print\n':
self.ms_game.tcp_send(self.ms_game.get_board())
self.ms_game.tcp_send('> ')
elif data == '':
self.ms_game.tcp_send('> ')
else:
self.transfer.emit(data)
self.ms_game.tcp_send('> ')
if self.ms_game.game_status == 1:
self.ms_game.tcp_send('[MESSAGE] YOU WIN!\n')
self.ms_game.tcp_close()
elif self.ms_game.game_status == 0:
self.ms_game.tcp_send('[MESSAGE] YOU LOSE!\n')
self.ms_game.tcp_close()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.ms_game.tcp_accept()\n while True:\n data = self.ms_game.tcp_receive()\n if data == 'help\\n':\n self.ms_game.tcp_... |
def x(self, parser, env):
parser.add_option('--epdb', action='store_true', dest=
'epdb_debugErrors', default=env.get('NOSE_EPDB', False), help=
'Drop into extended debugger on errors')
parser.add_option('--epdb-failures', action='store_true', dest=
'epdb_debugFailures', default=env.get('NOSE_EPDB_FAILURES', False),
help='Drop into extended debugger on failures')
| options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser, env):\n parser.add_option('--epdb', action='store_true', dest=\n 'epdb_debugErrors', default=env.get('NOSE_EPDB', False), help=\n ... |
def x(self, options, conf):
self.conf = conf
self.enabled = options.epdb_debugErrors or options.epdb_debugFailures
self.enabled_for_errors = options.epdb_debugErrors
self.enabled_for_failures = options.epdb_debugFailures
| configure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, options, conf):\n self.conf = conf\n self.enabled = options.epdb_debugErrors or options.epdb_debugFailures\n self.enabled_for_errors = options.e... |
def x(*args, **kw):
for key, val in kw.items():
Epdb.set_trace_cond(key, val)
for arg in args:
Epdb.set_trace_cond(arg, True)
| set_trace_cond | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kw):\n for key, val in kw.items():\n Epdb.set_trace_cond(key, val)\n for arg in args:\n Epdb.set_trace_cond(arg, True)\n",
"ro... |
def x(curpath, pathdir):
if os.path.exists(curpath):
return curpath
filedirs = curpath.split('/')[1:]
filename = filedirs[-1]
filedirs = filedirs[:-1]
if pathdir[-1] == '/':
pathdir = pathdir[:-1]
pathdirs = pathdir.split('/')[1:]
lp = len(pathdirs)
for x in range(1, min(len(filedirs), lp)):
if filedirs[-1] == pathdirs[-x]:
filedirs = filedirs[:-1]
else:
break
while filedirs:
tmppath = '/' + '/'.join(pathdirs + filedirs + [filename])
if os.path.exists(tmppath):
return tmppath
filedirs = filedirs[1:]
tmppath = '/' + '/'.join(pathdirs + [filename])
if os.path.exists(tmppath):
return tmppath
return None
| matchFileOnDirPath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(curpath, pathdir):\n if os.path.exists(curpath):\n return curpath\n filedirs = curpath.split('/')[1:]\n filename = filedirs[-1]\n filedirs =... |
def x(self, filename):
if os.path.isabs(filename) and os.path.exists(filename):
return filename
f = os.path.join(sys.path[0], filename)
if os.path.exists(f) and self.canonic(f) == self.mainpyfile:
return f
root, ext = os.path.splitext(filename)
origFileName = filename
if ext == '':
filename = filename + '.py'
if os.path.isabs(filename):
return filename
for dirname in sys.path:
while os.path.islink(dirname):
dirname = os.path.realpath(os.path.join(os.path.dirname(dirname
), os.readlink(dirname)))
fullname = os.path.join(dirname, filename)
if os.path.exists(fullname):
return fullname
if origFileName in sys.modules:
return sys.modules[origFileName].__file__
return None
| lookupmodule | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if os.path.isabs(filename) and os.path.exists(filename):\n return filename\n f = os.path.join(sys.path[0], filename)\n if os... |
def x(klass, marker='default', cond=None):
tc = klass.trace_counts
tc[marker] = [cond, 0]
| set_trace_cond | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(klass, marker='default', cond=None):\n tc = klass.trace_counts\n tc[marker] = [cond, 0]\n",
"role": "user"
},
{
"content": "set_trace_cond",
... |
def x(self, skip=0):
frame = sys._getframe().f_back
for i in range(skip):
frame = frame.f_back
self.reset()
while frame:
frame.f_trace = self.trace_dispatch
self.botframe = frame
frame = frame.f_back
self.set_step()
sys.settrace(self.trace_dispatch)
| set_trace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, skip=0):\n frame = sys._getframe().f_back\n for i in range(skip):\n frame = frame.f_back\n self.reset()\n while frame:\n frame.... |
def x(self, frame, argument_list):
if self.stop_here(frame):
pdb.Pdb.user_call(self, frame, argument_list)
| user_call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frame, argument_list):\n if self.stop_here(frame):\n pdb.Pdb.user_call(self, frame, argument_list)\n",
"role": "user"
},
{
"content... |
def x(self, frame, return_value):
pdb.Pdb.user_return(self, frame, return_value)
| user_return | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frame, return_value):\n pdb.Pdb.user_return(self, frame, return_value)\n",
"role": "user"
},
{
"content": "user_return",
"role": "assi... |
def x(self, frame, exc_info):
pdb.Pdb.user_exception(self, frame, exc_info)
| user_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frame, exc_info):\n pdb.Pdb.user_exception(self, frame, exc_info)\n",
"role": "user"
},
{
"content": "user_exception",
"role": "assist... |
def x(stack):
if isinstance(stack, types.TracebackType):
while stack.tb_next:
stack = stack.tb_next
stack = stack.tb_frame
out = []
while stack:
out.append(stack)
stack = stack.f_back
return out
| stackToList | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stack):\n if isinstance(stack, types.TracebackType):\n while stack.tb_next:\n stack = stack.tb_next\n stack = stack.tb_frame\n o... |
def x(self, sock, cmd, option):
if cmd == DO:
if option == TM:
os.write(self.remote, IAC + WILL + TM)
else:
pass
elif cmd == IP:
os.write(self.local, IPRESP)
elif cmd == SB:
pass
elif cmd == SE:
option = self.sbdataq[0]
if option == NAWS[0]:
cols = six.indexbytes(self.sbdataq, 1)
rows = six.indexbytes(self.sbdataq, 2)
s = struct.pack('HHHH', rows, cols, 0, 0)
fcntl.ioctl(self.local, termios.TIOCSWINSZ, s)
elif cmd == DONT:
pass
else:
pass
| process_IAC | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sock, cmd, option):\n if cmd == DO:\n if option == TM:\n os.write(self.remote, IAC + WILL + TM)\n else:\n pass\n ... |
def x(self):
while True:
toRead = select.select([self.local, self.remote], [], [], 0.1)[0]
if self.local in toRead:
data = os.read(self.local, 4096)
self.sock.sendall(data)
continue
if self.remote in toRead or self.rawq:
buf = self.read_eager()
os.write(self.local, buf)
continue
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n toRead = select.select([self.local, self.remote], [], [], 0.1)[0]\n if self.local in toRead:\n data = os.rea... |
def x(self):
pid, fd = pty.fork()
if pid:
protocol = TelnetServerProtocolHandler(self.request, fd)
protocol.handle()
else:
self.execute()
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pid, fd = pty.fork()\n if pid:\n protocol = TelnetServerProtocolHandler(self.request, fd)\n protocol.handle()\n else:\n ... |
def x(self):
try:
request, client_address = self.get_request()
except socket.error:
return
if self.verify_request(request, client_address):
try:
self.socket.close()
self.process_request(request, client_address)
except SocketConnected as err:
self._serve_process(err.slaveFd, err.serverPid)
return
except Exception as err:
self.handle_error(request, client_address)
self.close_request()
| handle_request | [
{
"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 request, client_address = self.get_request()\n except socket.error:\n return\n if self.verify_request(request, client_ad... |
def x(self, slaveFd, serverPid):
self.serverPid = serverPid
if sys.stdin.isatty():
self.oldTermios = termios.tcgetattr(sys.stdin.fileno())
else:
self.oldTermios = None
self.oldStderr = SavedFile(2, sys, 'stderr')
self.oldStdout = SavedFile(1, sys, 'stdout')
self.oldStdin = SavedFile(0, sys, 'stdin')
self.oldStderr.save(slaveFd, mode='w')
self.oldStdout.save(slaveFd, mode='w')
self.oldStdin.save(slaveFd, mode='r')
os.close(slaveFd)
self.closed = False
| serve_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slaveFd, serverPid):\n self.serverPid = serverPid\n if sys.stdin.isatty():\n self.oldTermios = termios.tcgetattr(sys.stdin.fileno())\n el... |
def x(message, low, high, show_range=True):
int_in = low - 1
while int_in < low or int_in > high:
if show_range:
suffix = ' (integer between ' + str(low) + ' and ' + str(high
) + ')'
else:
suffix = ''
inp = input('Enter a ' + message + suffix + ': ')
if re.match('^-?[0-9]+$', inp) is not None:
int_in = int(inp)
else:
print(colored('Must be an integer, try again!', 'red'))
return int_in
| int_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, low, high, show_range=True):\n int_in = low - 1\n while int_in < low or int_in > high:\n if show_range:\n suffix = ' (integer ... |
def x(message, low, high):
float_in = low - 1.0
while float_in < low or float_in > high:
inp = input('Enter a ' + message + ' (float between ' + str(low) +
' and ' + str(high) + '): ')
if re.match('^([0-9]*[.])?[0-9]+$', inp) is not None:
float_in = float(inp)
else:
print(colored('Must be a float, try again!', 'red'))
return float_in
| float_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, low, high):\n float_in = low - 1.0\n while float_in < low or float_in > high:\n inp = input('Enter a ' + message + ' (float between ' + s... |
def x(message):
while True:
suffix = ' (true or false): '
inp = input(message + suffix)
if inp.lower() == 'true':
return True
elif inp.lower() == 'false':
return False
else:
print(colored('Must be either true or false, try again!', 'red'))
| bool_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n while True:\n suffix = ' (true or false): '\n inp = input(message + suffix)\n if inp.lower() == 'true':\n return... |
def x(args=None):
parser = argparse.ArgumentParser(description=
'Tool to perform transfer learning')
parser.add_argument('-c', '--configure', action='store_true', help=
'Configure transfer')
parser.add_argument('-e', '--export', action='store_true', dest=
'export_config', help='Export configuration and models')
parser.add_argument('-i', '--import', action='store', type=str, default
=None, dest='import_config', help='Import configuration and models')
parser.add_argument('-p', '--project', action='store', type=str,
default=None, dest='project', help=
'Specify a project, if not supplied it will be picked from configured projects'
)
parser.add_argument('-r', '--run', action='store_true', help=
'Run all transfer learning operations')
parser.add_argument('-f', '--final', action='store_true', help=
'Run final training on all layers: Warning SLOW!')
parser.add_argument('-l', '--last-weights', action='store_true', dest=
'last', help=
'Restart from the last weights, rather than the best intermediate weights'
)
parser.add_argument('--predict', action='store', type=str, default=None,
const='default', dest='predict', nargs='?', help=
'Predict model on file or directory')
parser.add_argument('--prediction-rest-api', action='store_true', dest=
'rest_api', help=
'Start rest api to make predictions on files or directories')
if len(sys.argv) == 1:
parser.print_help()
return
args = parser.parse_args()
if args.import_config is not None:
import_config(args.import_config)
return
elif args.export_config:
project = select_project(args.project)
weights = model_input(project)
ind = model_individual_input(project, weights)
export_config(project, weights, ind)
return
elif args.configure:
configure()
return
else:
project = select_project(args.project)
if args.run:
if project['is_array'] == False:
project = images_to_array(project)
update_config(project)
if project['is_augmented'] == False:
project = augment_arrays(project)
update_config(project)
if project['is_pre_model'] == False:
project = pre_model(project)
update_config(project)
project = train_model(project, final=args.final, last=args.last)
update_config(project)
print('')
print(colored('Completed modeling round: ' + str(project[
'model_round']), 'cyan'))
print('')
print('Best current model: ', colored(project['best_weights'],
'yellow'))
print('Last current model: ', colored(project['last_weights'],
'yellow'))
print('')
print('To further refine the model, run again with:')
print('')
print(colored(' transfer --run --project ' + project['name'],
'green'))
print('')
print('To make predictions:')
print('')
print(colored(
' transfer --predict [optional dir or file] --project ' +
project['name'], 'yellow'))
print('')
elif args.rest_api:
if project['server_weights'] is not None:
start_server(project, 'server_weights')
elif project['best_weights'] is not None:
weights = model_input(project)
start_server(project, weights)
else:
print('Model is not trained. Please first run your project:')
print('')
print(colored(' transfer --run', 'green'))
print('')
elif args.predict is not None:
if args.predict == 'default':
completer = Completer()
readline.set_completer_delims('\t')
readline.parse_and_bind('tab: complete')
readline.set_completer(completer.path_completer)
args.predict = str_input('Enter a path to file(s): ')
if project['server_weights'] is not None:
predict_model(project, 'server_weights', args.predict)
elif project['best_weights'] is not None:
weights = model_input(project)
print('Predicting on image(s) in: ', colored(args.predict,
'yellow'))
predict_model(project, weights, args.predict)
else:
print('Model is not trained. Please first run your project:')
print('')
print(colored(' transfer --run', 'green'))
print('')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args=None):\n parser = argparse.ArgumentParser(description=\n 'Tool to perform transfer learning')\n parser.add_argument('-c', '--configure', acti... |
def x():
completer = Completer()
readline.set_completer_delims('\t')
readline.parse_and_bind('tab: complete')
readline.set_completer(completer.path_completer)
home = os.path.expanduser('~')
if os.path.isfile(os.path.join(home, '.transfer', 'config.yaml')):
with open(os.path.join(home, '.transfer', 'config.yaml'), 'r') as fp:
config = yaml.load(fp.read())
else:
config = []
project_name = input('Name your project: ')
existing_project = None
for project in config:
if project_name == project['name']:
existing_project = project_name
if existing_project is not None:
print(colored('Project ' + project_name + ' already exists', 'red'))
overwrite = str_input(
'Would you like to overwrite this project? (yes or no) ', [
'yes', 'no'])
if overwrite == 'no':
return
else:
config = [project for project in config if project_name !=
project['name']]
image_path = os.path.expanduser(input(
'Select parent directory for your images: '))
path_unset = True
while path_unset:
project_path = os.path.expanduser(input(
'Select destination for your project: '))
if project_path.find(image_path) == 0:
print(
'Project destination should not be same or within image directory!'
)
else:
path_unset = False
print('Select architecture:')
print('[0] resnet50')
print('[1] xception')
print('[2] inception_v3')
architecture = int_input('choice', 0, 2, show_range=False)
if architecture == 0:
arch = 'resnet50'
img_dim = 224
conv_dim = 7
final_cutoff = 80
elif architecture == 1:
arch = 'xception'
img_dim = 299
conv_dim = 10
final_cutoff = 80
else:
arch = 'inception_v3'
img_dim = 299
conv_dim = 8
final_cutoff = 80
api_port = int_input('port for local prediction API (suggested: 5000)',
1024, 49151)
kfold = int_input('number of folds to use (suggested: 5)', 3, 10)
kfold_every = bool_input(
'Fit a model for every fold? (if false, just fit one)')
print(
'Warning: if working on a remote computer, you may not be able to plot!'
)
plot_cm = bool_input('Plot a confusion matrix after training?')
batch_size = int_input('batch size (suggested: 8)', 1, 64)
learning_rate = float_input('learning rate (suggested: 0.001)', 0, 1)
learning_rate_decay = float_input(
'learning decay rate (suggested: 0.000001)', 0, 1)
cycle = int_input(
'number of cycles before resetting the learning rate (suggested: 3)',
1, 10)
num_rounds = int_input('number of rounds (suggested: 3)', 1, 100)
print('Select image resolution:')
print('[0] low (' + str(img_dim) + ' px)')
print('[1] mid (' + str(img_dim * 2) + ' px)')
print('[2] high (' + str(img_dim * 4) + ' px)')
img_resolution_index = int_input('choice', 0, 2, show_range=False)
if img_resolution_index == 0:
img_size = 1
elif img_resolution_index == 1:
img_size = 2
else:
img_size = 4
use_augmentation = str_input(
'Would you like to add image augmentation? (yes or no) ', ['yes', 'no']
)
if use_augmentation == 'yes':
augmentations = select_augmentations()
else:
augmentations = None
project = {'name': project_name, 'img_path': image_path, 'path':
project_path, 'plot': plot_cm, 'api_port': api_port, 'kfold': kfold,
'kfold_every': kfold_every, 'cycle': cycle, 'seed': np.random.
randint(9999), 'batch_size': batch_size, 'learning_rate':
learning_rate, 'learning_rate_decay': learning_rate_decay,
'final_cutoff': final_cutoff, 'rounds': num_rounds, 'img_size':
img_size, 'augmentations': augmentations, 'architecture': arch,
'img_dim': img_dim, 'conv_dim': conv_dim, 'is_split': False,
'is_array': False, 'is_augmented': False, 'is_pre_model': False,
'is_final': False, 'model_round': 0, 'server_weights': None,
'last_weights': None, 'best_weights': None}
config.append(project)
store_config(config)
print('')
print(colored('Project configure saved!', 'cyan'))
print('')
print('To run project:')
print('')
print(colored(' transfer --run --project ' + project_name, 'green'))
print('or')
print(colored(' transfer -r -p ' + project_name, 'green'))
| configure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n completer = Completer()\n readline.set_completer_delims('\\t')\n readline.parse_and_bind('tab: complete')\n readline.set_completer(completer.p... |
def x():
home = os.path.expanduser('~')
if os.path.isfile(os.path.join(home, '.transfer', 'config.yaml')):
with open(os.path.join(home, '.transfer', 'config.yaml'), 'r') as fp:
config = yaml.load(fp.read())
else:
config = []
project_name = input('Name your project: ')
existing_project = None
for project in config:
if project_name == project['name']:
existing_project = project_name
if existing_project is not None:
print(colored('Project ' + project_name + ' already exists', 'red'))
overwrite = str_input(
'Would you like to overwrite this project? (yes or no) ', [
'yes', 'no'])
if overwrite == 'no':
return
else:
config = [project for project in config if project_name !=
project['name']]
api_port = int_input('port for local prediction API (suggested: 5000)',
1024, 49151)
print('Select image resolution:')
print('[0] low (224 px)')
print('[1] mid (448 px)')
print('[2] high (896 px)')
img_resolution_index = int_input('choice', 0, 2, show_range=False)
if img_resolution_index == 0:
img_size = 1
elif img_resolution_index == 1:
img_size = 2
else:
img_size = 4
num_categories = int_input('number of image categories in your model',
0, 10000000)
weights = False
while weights == False:
server_weights = os.path.expanduser(input('Select weights file: '))
if os.path.isfile(server_weights):
weights = True
else:
print('Cannot find the weight file: ', server_weights)
project = {'name': project_name, 'api_port': api_port, 'img_size':
img_size, 'number_categories': num_categories, 'server_weights':
server_weights}
config.append(project)
store_config(config)
print('')
print(colored('Project configure saved!', 'cyan'))
print('')
print('To start the server:')
print('')
print(colored(' transfer --prediction-rest-api --project ' +
project_name, 'green'))
print('or')
print(colored(' transfer --prediction-rest-api -p ' + project_name,
'green'))
| configure_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n home = os.path.expanduser('~')\n if os.path.isfile(os.path.join(home, '.transfer', 'config.yaml')):\n with open(os.path.join(home, '.transfer... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.