source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(participant=None, error_text=None, compensate=True, error_type=
'default', request_data=''):
config = _config()
if error_text is None:
error_text = """There has been an error and so you are unable to
continue, sorry!"""
if participant is not None:
hit_id = participant.hit_id,
assignment_id = participant.assignment_id,
worker_id = participant.worker_id
participant_id = participant.id
else:
hit_id = request.form.get('hit_id', '')
assignment_id = request.form.get('assignment_id', '')
worker_id = request.form.get('worker_id', '')
participant_id = request.form.get('participant_id', None)
if participant_id:
try:
participant_id = int(participant_id)
except (ValueError, TypeError):
participant_id = None
return make_response(render_template('error.html', error_text=
error_text, compensate=compensate, contact_address=config.get(
'contact_email_on_error'), error_type=error_type, hit_id=hit_id,
assignment_id=assignment_id, worker_id=worker_id, request_data=
request_data, participant_id=participant_id), 500)
| error_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(participant=None, error_text=None, compensate=True, error_type=\n 'default', request_data=''):\n config = _config()\n if error_text is None:\n ... |
def x():
exp = Experiment(session)
return dict(experiment=exp, env=os.environ)
| inject_experiment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n exp = Experiment(session)\n return dict(experiment=exp, env=os.environ)\n",
"role": "user"
},
{
"content": "inject_experiment",
"rol... |
def x():
try:
exp = Experiment(db.init_db(drop_all=False))
except Exception as ex:
return error_response(error_text=
'Failed to load experiment in /launch: {}'.format(str(ex)),
status=500, simple=True)
try:
exp.log('Launching experiment...', '-----')
except IOError as ex:
return error_response(error_text=
'IOError writing to experiment log: {}'.format(str(ex)), status
=500, simple=True)
try:
recruitment_details = exp.recruiter.open_recruitment(n=exp.
initial_recruitment_size)
session.commit()
except Exception as e:
return error_response(error_text=
'Failed to open recruitment, check experiment server log for details: {}'
.format(str(e)), status=500, simple=True)
for task in exp.background_tasks:
try:
gevent.spawn(task)
except Exception:
return error_response(error_text=
'Failed to spawn task on launch: {}, '.format(task) +
'check experiment server log for details', status=500,
simple=True)
if _config().get('replay', False):
try:
task = ReplayBackend(exp)
gevent.spawn(task)
except Exception:
return error_response(error_text=
'Failed to launch replay task for experiment.check experiment server log for details'
, status=500, simple=True)
if exp.channel is not None:
try:
from dallinger.experiment_server.sockets import chat_backend
chat_backend.subscribe(exp, exp.channel)
except Exception:
return error_response(error_text=
'Failed to subscribe to chat for channel on launch ' + '{}'
.format(exp.channel) +
', check experiment server log for details', status=500,
simple=True)
message = '\n'.join(('Initial recruitment list:\n{}'.format('\n'.join(
recruitment_details['items'])), """Additional details:
{}""".format
(recruitment_details['message'])))
return success_response(recruitment_msg=message)
| launch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n exp = Experiment(db.init_db(drop_all=False))\n except Exception as ex:\n return error_response(error_text=\n 'Failed... |
def x(participant):
if participant is None:
return False
status = participant.status
marked_done = participant.end_time is not None
ready_for_external_submission = status in ('overrecruited', 'working'
) and marked_done
assignment_complete = status in ('submitted', 'approved')
return assignment_complete or ready_for_external_submission
| should_show_thanks_page_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(participant):\n if participant is None:\n return False\n status = participant.status\n marked_done = participant.end_time is not None\n read... |
def x():
if not ('hitId' in request.args and 'assignmentId' in request.args):
raise ExperimentError('hit_assign_worker_id_not_set_in_mturk')
config = _config()
browser = ValidatesBrowser(config)
if not browser.is_supported(request.user_agent.string):
raise ExperimentError('browser_type_not_allowed')
hit_id = request.args['hitId']
assignment_id = request.args['assignmentId']
app_id = config.get('id', 'unknown')
mode = config.get('mode')
debug_mode = mode == 'debug'
worker_id = request.args.get('workerId')
participant = None
if worker_id is not None:
already_participated = bool(models.Participant.query.filter(models.
Participant.assignment_id != assignment_id).filter(models.
Participant.worker_id == worker_id).count())
if already_participated and not debug_mode:
raise ExperimentError('already_did_exp_hit')
try:
participant = models.Participant.query.filter(models.
Participant.hit_id == hit_id).filter(models.Participant.
assignment_id == assignment_id).filter(models.Participant.
worker_id == worker_id).one()
except exc.SQLAlchemyError:
pass
recruiter_name = request.args.get('recruiter')
if recruiter_name:
recruiter = recruiters.by_name(recruiter_name)
else:
recruiter = recruiters.from_config(config)
recruiter_name = recruiter.nickname
if should_show_thanks_page_to(participant):
return render_template('thanks.html', hitid=hit_id, assignmentid=
assignment_id, workerid=worker_id, external_submit_url=
recruiter.external_submission_url, mode=config.get('mode'),
app_id=app_id)
if participant and participant.status == 'working':
raise ExperimentError('already_started_exp_mturk')
return render_template('ad.html', recruiter=recruiter_name, hitid=
hit_id, assignmentid=assignment_id, workerid=worker_id, mode=config
.get('mode'), app_id=app_id)
| advertisement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not ('hitId' in request.args and 'assignmentId' in request.args):\n raise ExperimentError('hit_assign_worker_id_not_set_in_mturk')\n confi... |
def x():
exp = Experiment(session)
state = {'status': 'success', 'summary': exp.log_summary(), 'completed':
exp.is_complete()}
unfilled_nets = models.Network.query.filter(models.Network.full != true()
).with_entities(models.Network.id, models.Network.max_size).all()
working = models.Participant.query.filter_by(status='working'
).with_entities(func.count(models.Participant.id)).scalar()
state['unfilled_networks'] = len(unfilled_nets)
nodes_remaining = 0
required_nodes = 0
if state['unfilled_networks'] == 0:
if working == 0 and state['completed'] is None:
state['completed'] = True
else:
for net in unfilled_nets:
node_count = models.Node.query.filter_by(network_id=net.id,
failed=False).with_entities(func.count(models.Node.id)).scalar(
)
net_size = net.max_size
required_nodes += net_size
nodes_remaining += net_size - node_count
state['nodes_remaining'] = nodes_remaining
state['required_nodes'] = required_nodes
if state['completed'] is None:
state['completed'] = False
nonfailed_count = models.Participant.query.filter((models.Participant.
status == 'working') | (models.Participant.status ==
'overrecruited') | (models.Participant.status == 'submitted') | (
models.Participant.status == 'approved')).count()
exp = Experiment(session)
overrecruited = exp.is_overrecruited(nonfailed_count)
if exp.quorum:
quorum = {'q': exp.quorum, 'n': nonfailed_count, 'overrecruited':
overrecruited}
db.queue_message(WAITING_ROOM_CHANNEL, dumps(quorum))
return Response(dumps(state), status=200, mimetype='application/json')
| summary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n exp = Experiment(session)\n state = {'status': 'success', 'summary': exp.log_summary(), 'completed':\n exp.is_complete()}\n unfilled_nets ... |
def x(prop):
exp = Experiment(session)
try:
value = exp.public_properties[prop]
except KeyError:
abort(404)
return success_response(**{prop: value})
| experiment_property | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prop):\n exp = Experiment(session)\n try:\n value = exp.public_properties[prop]\n except KeyError:\n abort(404)\n return success_resp... |
def x():
config = _config()
return render_template('consent.html', hit_id=request.args['hit_id'],
assignment_id=request.args['assignment_id'], worker_id=request.args
['worker_id'], mode=config.get('mode'))
| consent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n config = _config()\n return render_template('consent.html', hit_id=request.args['hit_id'],\n assignment_id=request.args['assignment_id'], wor... |
def x(parameter, parameter_type=None, default=None, optional=False):
exp = Experiment(session)
try:
value = request.values[parameter]
except KeyError:
if default is not None:
return default
elif optional:
return None
else:
msg = '{} {} request, {} not specified'.format(request.url,
request.method, parameter)
return error_response(error_type=msg)
if parameter_type is None:
return value
elif parameter_type == 'int':
try:
value = int(value)
return value
except ValueError:
msg = '{} {} request, non-numeric {}: {}'.format(request.url,
request.method, parameter, value)
return error_response(error_type=msg)
elif parameter_type == 'known_class':
try:
value = exp.known_classes[value]
return value
except KeyError:
msg = '{} {} request, unknown_class: {} for parameter {}'.format(
request.url, request.method, value, parameter)
return error_response(error_type=msg)
elif parameter_type == 'bool':
if value in ['True', 'False']:
return value == 'True'
else:
msg = '{} {} request, non-boolean {}: {}'.format(request.url,
request.method, parameter, value)
return error_response(error_type=msg)
else:
msg = ('/{} {} request, unknown parameter type: {} for parameter {}'
.format(request.url, request.method, parameter_type, parameter))
return error_response(error_type=msg)
| request_parameter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parameter, parameter_type=None, default=None, optional=False):\n exp = Experiment(session)\n try:\n value = request.values[parameter]\n except ... |
def x(thing):
details = request_parameter(parameter='details', optional=True)
if details:
setattr(thing, 'details', loads(details))
for p in range(5):
property_name = 'property' + str(p + 1)
property = request_parameter(parameter=property_name, optional=True)
if property:
setattr(thing, property_name, property)
session.commit()
| assign_properties | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thing):\n details = request_parameter(parameter='details', optional=True)\n if details:\n setattr(thing, 'details', loads(details))\n for p in ... |
def x(worker_id, hit_id, assignment_id, mode):
try:
session.connection().execute(
'LOCK TABLE participant IN EXCLUSIVE MODE NOWAIT')
except exc.OperationalError as e:
e.orig = TransactionRollbackError()
raise e
missing = [p for p in (worker_id, hit_id, assignment_id) if p ==
'undefined']
if missing:
msg = "/participant POST: required values were 'undefined'"
return error_response(error_type=msg, status=403)
fingerprint_hash = request.args.get('fingerprint_hash')
try:
fingerprint_found = models.Participant.query.filter_by(fingerprint_hash
=fingerprint_hash).one_or_none()
except MultipleResultsFound:
fingerprint_found = True
if fingerprint_hash and fingerprint_found:
db.logger.warning('Same browser fingerprint detected.')
if mode == 'live':
return error_response(error_type=
'/participant POST: Same participant dectected.', status=403)
already_participated = models.Participant.query.filter_by(worker_id=
worker_id).one_or_none()
if already_participated:
db.logger.warning('Worker has already participated.')
return error_response(error_type=
'/participant POST: worker has already participated.', status=403)
duplicate = models.Participant.query.filter_by(assignment_id=
assignment_id, status='working').one_or_none()
if duplicate:
msg = """
AWS has reused assignment_id while existing participant is
working. Replacing older participant {}.
"""
app.logger.warning(msg.format(duplicate.id))
q.enqueue(worker_function, 'AssignmentReassigned', None, duplicate.id)
nonfailed_count = models.Participant.query.filter((models.Participant.
status == 'working') | (models.Participant.status ==
'overrecruited') | (models.Participant.status == 'submitted') | (
models.Participant.status == 'approved')).count() + 1
recruiter_name = request.args.get('recruiter', 'undefined')
if not recruiter_name or recruiter_name == 'undefined':
recruiter = recruiters.from_config(_config())
if recruiter:
recruiter_name = recruiter.nickname
participant = models.Participant(recruiter_id=recruiter_name, worker_id
=worker_id, assignment_id=assignment_id, hit_id=hit_id, mode=mode,
fingerprint_hash=fingerprint_hash)
exp = Experiment(session)
overrecruited = exp.is_overrecruited(nonfailed_count)
if overrecruited:
participant.status = 'overrecruited'
session.add(participant)
session.flush()
result = {'participant': participant.__json__()}
if exp.quorum:
quorum = {'q': exp.quorum, 'n': nonfailed_count, 'overrecruited':
overrecruited}
db.queue_message(WAITING_ROOM_CHANNEL, dumps(quorum))
result['quorum'] = quorum
return success_response(**result)
| create_participant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(worker_id, hit_id, assignment_id, mode):\n try:\n session.connection().execute(\n 'LOCK TABLE participant IN EXCLUSIVE MODE NOWAIT')\n ... |
def x(participant_id):
try:
ppt = models.Participant.query.filter_by(id=participant_id).one()
except NoResultFound:
return error_response(error_type=
'/participant GET: no participant found', status=403)
return success_response(participant=ppt.__json__())
| get_participant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(participant_id):\n try:\n ppt = models.Participant.query.filter_by(id=participant_id).one()\n except NoResultFound:\n return error_response... |
def x(network_id):
try:
net = models.Network.query.filter_by(id=network_id).one()
except NoResultFound:
return error_response(error_type='/network GET: no network found',
status=403)
return success_response(network=net.__json__())
| get_network | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(network_id):\n try:\n net = models.Network.query.filter_by(id=network_id).one()\n except NoResultFound:\n return error_response(error_type=... |
def x(participant_id):
try:
ppt = models.Participant.query.filter_by(id=participant_id).one()
except NoResultFound:
return error_response(error_type=
'/question POST no participant found', status=403)
question = request_parameter(parameter='question')
response = request_parameter(parameter='response')
number = request_parameter(parameter='number', parameter_type='int')
for x in [question, response, number]:
if isinstance(x, Response):
return x
rejection = ppt.recruiter.rejects_questionnaire_from(ppt)
if rejection:
return error_response(error_type=
'/question POST, status = {}, reason: {}'.format(ppt.status,
rejection), participant=ppt)
try:
models.Question(participant=ppt, question=question, response=
response, number=number)
session.commit()
except Exception:
return error_response(error_type='/question POST server error',
status=403)
return success_response()
| create_question | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(participant_id):\n try:\n ppt = models.Participant.query.filter_by(id=participant_id).one()\n except NoResultFound:\n return error_response... |
def x(node_id):
exp = Experiment(session)
node_type = request_parameter(parameter='node_type', parameter_type=
'known_class', default=models.Node)
connection = request_parameter(parameter='connection', default='to')
failed = request_parameter(parameter='failed', parameter_type='bool',
optional=True)
for x in [node_type, connection]:
if type(x) == Response:
return x
node = models.Node.query.get(node_id)
if node is None:
return error_response(error_type=
'/node/neighbors, node does not exist', error_text=
'/node/{0}/neighbors, node {0} does not exist'.format(node_id))
if failed is not None:
try:
node.neighbors(type=node_type, direction=connection, failed=failed)
except Exception as e:
return error_response(error_type='node.neighbors', error_text=
str(e))
else:
nodes = node.neighbors(type=node_type, direction=connection)
try:
exp.node_get_request(node=node, nodes=nodes)
session.commit()
except Exception:
return error_response(error_type='exp.node_get_request')
return success_response(nodes=[n.__json__() for n in nodes])
| node_neighbors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node_id):\n exp = Experiment(session)\n node_type = request_parameter(parameter='node_type', parameter_type=\n 'known_class', default=models.Node)... |
def x(participant_id):
exp = Experiment(session)
try:
participant = models.Participant.query.filter_by(id=participant_id
).one()
except NoResultFound:
return error_response(error_type='/node POST no participant found',
status=403)
if participant.status != 'working':
error_type = '/node POST, status = {}'.format(participant.status)
return error_response(error_type=error_type, participant=participant)
network = exp.get_network_for_participant(participant=participant)
if network is None:
return Response(dumps({'status': 'error'}), status=403)
node = exp.create_node(participant=participant, network=network)
assign_properties(node)
exp.add_node_to_network(node=node, network=network)
exp.node_post_request(participant=participant, node=node)
return success_response(node=node.__json__())
| create_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(participant_id):\n exp = Experiment(session)\n try:\n participant = models.Participant.query.filter_by(id=participant_id\n ).one()\n ... |
def x(node_id):
exp = Experiment(session)
direction = request_parameter(parameter='direction', default='all')
failed = request_parameter(parameter='failed', parameter_type='bool',
default=False)
for x in [direction, failed]:
if type(x) == Response:
return x
node = models.Node.query.get(node_id)
if node is None:
return error_response(error_type='/node/vectors, node does not exist')
try:
vectors = node.vectors(direction=direction, failed=failed)
exp.vector_get_request(node=node, vectors=vectors)
session.commit()
except Exception:
return error_response(error_type='/node/vectors GET server error',
status=403, participant=node.participant)
return success_response(vectors=[v.__json__() for v in vectors])
| node_vectors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node_id):\n exp = Experiment(session)\n direction = request_parameter(parameter='direction', default='all')\n failed = request_parameter(parameter='fa... |
def x(node_id):
exp = Experiment(session)
info_type = request_parameter(parameter='info_type', parameter_type=
'known_class', default=models.Info)
if type(info_type) == Response:
return info_type
node = models.Node.query.get(node_id)
if node is None:
return error_response(error_type=
'/node/infos, node {} does not exist'.format(node_id))
infos = node.received_infos(type=info_type)
try:
exp.info_get_request(node=node, infos=infos)
session.commit()
except Exception:
return error_response(error_type='info_get_request error', status=
403, participant=node.participant)
return success_response(infos=[i.__json__() for i in infos])
| node_received_infos | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node_id):\n exp = Experiment(session)\n info_type = request_parameter(parameter='info_type', parameter_type=\n 'known_class', default=models.Info)... |
def x(node_id):
details = request_parameter(parameter='details', optional=True)
if details:
details = loads(details)
node = models.Node.query.get(node_id)
if node is None:
return error_response(error_type='/info POST, node does not exist')
db.logger.debug('rq: Queueing %s with for node: %s for worker_function',
'TrackingEvent', node_id)
q.enqueue(worker_function, 'TrackingEvent', None, None, node_id=node_id,
details=details)
return success_response(details=details)
| tracking_event_post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node_id):\n details = request_parameter(parameter='details', optional=True)\n if details:\n details = loads(details)\n node = models.Node.query... |
def x(node_id):
contents = request_parameter(parameter='contents')
info_type = request_parameter(parameter='info_type', parameter_type=
'known_class', default=models.Info)
for x in [contents, info_type]:
if type(x) == Response:
return x
node = models.Node.query.get(node_id)
if node is None:
return error_response(error_type='/info POST, node does not exist')
exp = Experiment(session)
try:
info = info_type(origin=node, contents=contents)
assign_properties(info)
exp.info_post_request(node=node, info=info)
session.commit()
except Exception:
return error_response(error_type='/info POST server error', status=
403, participant=node.participant)
return success_response(info=info.__json__())
| info_post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node_id):\n contents = request_parameter(parameter='contents')\n info_type = request_parameter(parameter='info_type', parameter_type=\n 'known_cla... |
def x(node_id):
exp = Experiment(session)
direction = request_parameter(parameter='direction', default='incoming')
status = request_parameter(parameter='status', default='all')
for x in [direction, status]:
if type(x) == Response:
return x
node = models.Node.query.get(node_id)
if node is None:
return error_response(error_type=
'/node/transmissions, node does not exist')
transmissions = node.transmissions(direction=direction, status=status)
try:
if direction in ['incoming', 'all'] and status in ['pending', 'all']:
node.receive()
session.commit()
exp.transmission_get_request(node=node, transmissions=transmissions)
session.commit()
except Exception:
return error_response(error_type=
'/node/transmissions GET server error', status=403, participant
=node.participant)
return success_response(transmissions=[t.__json__() for t in transmissions]
)
| node_transmissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node_id):\n exp = Experiment(session)\n direction = request_parameter(parameter='direction', default='incoming')\n status = request_parameter(paramete... |
def x(node_id):
exp = Experiment(session)
what = request_parameter(parameter='what', optional=True)
to_whom = request_parameter(parameter='to_whom', optional=True)
node = models.Node.query.get(node_id)
if node is None:
return error_response(error_type='/node/transmit, node does not exist')
if what is not None:
try:
what = int(what)
what = models.Info.query.get(what)
if what is None:
return error_response(error_type=
'/node/transmit POST, info does not exist', participant
=node.participant)
except Exception:
try:
what = exp.known_classes[what]
except KeyError:
msg = '/node/transmit POST, {} not in experiment.known_classes'
return error_response(error_type=msg.format(what),
participant=node.participant)
if to_whom is not None:
try:
to_whom = int(to_whom)
to_whom = models.Node.query.get(to_whom)
if to_whom is None:
return error_response(error_type=
'/node/transmit POST, recipient Node does not exist',
participant=node.participant)
except Exception:
try:
to_whom = exp.known_classes[to_whom]
except KeyError:
msg = '/node/transmit POST, {} not in experiment.known_classes'
return error_response(error_type=msg.format(to_whom),
participant=node.participant)
try:
transmissions = node.transmit(what=what, to_whom=to_whom)
for t in transmissions:
assign_properties(t)
session.commit()
exp.transmission_post_request(node=node, transmissions=transmissions)
session.commit()
except Exception:
return error_response(error_type=
'/node/transmit POST, server error', participant=node.participant)
return success_response(transmissions=[t.__json__() for t in transmissions]
)
| node_transmit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node_id):\n exp = Experiment(session)\n what = request_parameter(parameter='what', optional=True)\n to_whom = request_parameter(parameter='to_whom', o... |
def x(node_id):
exp = Experiment(session)
transformation_type = request_parameter(parameter='transformation_type',
parameter_type='known_class', default=models.Transformation)
if type(transformation_type) == Response:
return transformation_type
node = models.Node.query.get(node_id)
if node is None:
return error_response(error_type=
'/node/transformations, node {} does not exist'.format(node_id))
transformations = node.transformations(type=transformation_type)
try:
exp.transformation_get_request(node=node, transformations=
transformations)
session.commit()
except Exception:
return error_response(error_type='/node/transformations GET failed',
participant=node.participant)
return success_response(transformations=[t.__json__() for t in
transformations])
| transformation_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node_id):\n exp = Experiment(session)\n transformation_type = request_parameter(parameter='transformation_type',\n parameter_type='known_class', d... |
def x(participant):
participants = models.Participant.query.filter_by(assignment_id=
participant.assignment_id).all()
duplicates = [p for p in participants if p.id != participant.id and p.
status == 'working']
for d in duplicates:
q.enqueue(worker_function, 'AssignmentAbandoned', None, d.id)
| check_for_duplicate_assignments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(participant):\n participants = models.Participant.query.filter_by(assignment_id=\n participant.assignment_id).all()\n duplicates = [p for p in par... |
def x():
participant_id = request.args.get('participant_id')
if not participant_id:
return error_response(error_type='bad request', error_text=
'participantId parameter is required')
try:
_worker_complete(participant_id)
except KeyError:
return error_response(error_type='ParticipantId not found: {}'.
format(participant_id))
return success_response(status='success')
| worker_complete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n participant_id = request.args.get('participant_id')\n if not participant_id:\n return error_response(error_type='bad request', error_text=\n ... |
def x():
participant_id = request.args.get('participant_id')
if not participant_id:
return error_response(error_type='bad request', error_text=
'participantId parameter is required')
try:
_worker_failed(participant_id)
except KeyError:
return error_response(error_type='ParticipantId not found: {}'.
format(participant_id))
return success_response(field='status', data='success', request_type=
'worker failed')
| worker_failed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n participant_id = request.args.get('participant_id')\n if not participant_id:\n return error_response(error_type='bad request', error_text=\n ... |
def x(event_type, assignment_id, participant_id, node_id=None, details=None):
_config()
try:
db.logger.debug('rq: worker_function working on job id: %s',
get_current_job().id)
db.logger.debug('rq: Received Queue Length: %d (%s)', len(q), ', '.
join(q.job_ids))
except AttributeError:
db.logger.debug('Debug worker_function called synchronously')
exp = Experiment(session)
key = '-----'
exp.log('Received an {} notification for assignment {}, participant {}'
.format(event_type, assignment_id, participant_id), key)
if event_type == 'TrackingEvent':
node = None
if node_id:
node = models.Node.query.get(node_id)
if not node:
participant = None
if participant_id:
participant = models.Participant.query.get(participant_id)
elif assignment_id:
participants = models.Participant.query.filter_by(assignment_id
=assignment_id).all()
if participants:
participant = max(participants, key=attrgetter(
'creation_time'))
participant_id = participant.id
if not participant:
exp.log(
'Warning: No participant associated with this TrackingEvent notification.'
, key)
return
nodes = participant.nodes()
if not nodes:
exp.log(
'Warning: No node associated with this TrackingEvent notification.'
, key)
return
node = max(nodes, key=attrgetter('creation_time'))
if not details:
details = {}
info = information.TrackingEvent(origin=node, details=details)
session.add(info)
session.commit()
return
runner_cls = WorkerEvent.for_name(event_type)
if not runner_cls:
exp.log('Event type {} is not supported... ignoring.'.format(
event_type))
return
if assignment_id is not None:
notif = models.Notification(assignment_id=assignment_id, event_type
=event_type)
session.add(notif)
session.commit()
participants = models.Participant.query.filter_by(assignment_id=
assignment_id).all()
if participants:
participant = max(participants, key=attrgetter('creation_time'))
else:
exp.log(
'Warning: No participants associated with this assignment_id. Notification will not be processed.'
, key)
return None
elif participant_id is not None:
participant = models.Participant.query.filter_by(id=participant_id
).all()[0]
else:
raise ValueError(
'Error: worker_function needs either an assignment_id or a participant_id, they cannot both be None'
)
participant_id = participant.id
runner = runner_cls(participant, assignment_id, exp, session, _config(),
datetime.now())
runner()
session.commit()
| worker_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event_type, assignment_id, participant_id, node_id=None, details=None):\n _config()\n try:\n db.logger.debug('rq: worker_function working on job i... |
def x(self):
cmd = ['heroku', 'apps', '--json']
if self.team:
cmd.extend(['--team', self.team])
return json.loads(self._result(cmd))
| all_apps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cmd = ['heroku', 'apps', '--json']\n if self.team:\n cmd.extend(['--team', self.team])\n return json.loads(self._result(cmd))\n",
... |
def x(self):
cmd = ['heroku', 'apps:create', self.name, '--buildpack', 'heroku/python']
if self.team:
cmd.extend(['--team', self.team])
self._run(cmd)
self.set_multiple(HOST=self.url, CREATOR=self.login_name(),
DALLINGER_UID=self.dallinger_uid)
| bootstrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cmd = ['heroku', 'apps:create', self.name, '--buildpack', 'heroku/python']\n if self.team:\n cmd.extend(['--team', self.team])\n self.... |
def x(self, name):
cmd = ['heroku', 'addons:create', name, '--app', self.name]
self._run(cmd)
| addon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n cmd = ['heroku', 'addons:create', name, '--app', self.name]\n self._run(cmd)\n",
"role": "user"
},
{
"content": "addon",
"... |
def x(self, name):
self._run(['heroku', 'addons:destroy', name, '--app', self.name,
'--confirm', self.name])
| addon_destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n self._run(['heroku', 'addons:destroy', name, '--app', self.name,\n '--confirm', self.name])\n",
"role": "user"
},
{
"conte... |
def x(self, url):
cmd = ['heroku', 'buildpacks:add', url, '--app', self.name]
self._run(cmd)
| buildpack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n cmd = ['heroku', 'buildpacks:add', url, '--app', self.name]\n self._run(cmd)\n",
"role": "user"
},
{
"content": "buildpack",
... |
def x(self):
output = self.get('DATABASE', subcommand='pg:credentials:url')
match = re.search('(postgres://.*)$', output)
if match is None:
raise NameError(
'Could not retrieve the DB URI. Check for error output from heroku above the stack trace.'
)
return match.group(1)
| db_uri | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n output = self.get('DATABASE', subcommand='pg:credentials:url')\n match = re.search('(postgres://.*)$', output)\n if match is None:\n r... |
def x(self):
result = self._result(['heroku', 'apps:destroy', '--app', self.name,
'--confirm', self.name])
return result
| destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = self._result(['heroku', 'apps:destroy', '--app', self.name,\n '--confirm', self.name])\n return result\n",
"role": "user"
... |
def x(self, key, subcommand='config:get'):
cmd = ['heroku', subcommand, key, '--app', self.name]
return self._result(cmd)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, subcommand='config:get'):\n cmd = ['heroku', subcommand, key, '--app', self.name]\n return self._result(cmd)\n",
"role": "user"
},
{
... |
def x(self):
retries = 10
while retries:
retries = retries - 1
try:
self._run(['heroku', 'pg:wait', '--app', self.name])
except subprocess.CalledProcessError:
time.sleep(5)
if not retries:
raise
else:
break
| pg_wait | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n retries = 10\n while retries:\n retries = retries - 1\n try:\n self._run(['heroku', 'pg:wait', '--app', self.name])\n ... |
def x(self, url):
self._run(['heroku', 'pg:backups:restore', '{}'.format(url),
'DATABASE_URL', '--app', self.name, '--confirm', self.name])
| restore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n self._run(['heroku', 'pg:backups:restore', '{}'.format(url),\n 'DATABASE_URL', '--app', self.name, '--confirm', self.name])\n",
"ro... |
def x(self, process, quantity, size):
self._run(['heroku', 'ps:scale', '{}={}:{}'.format(process, quantity,
size), '--app', self.name])
| scale_up_dyno | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, process, quantity, size):\n self._run(['heroku', 'ps:scale', '{}={}:{}'.format(process, quantity,\n size), '--app', self.name])\n",
"role":... |
def x(self):
processes = ['web', 'worker']
if self.clock_is_on:
processes.append('clock')
for process in processes:
self.scale_down_dyno(process)
| scale_down_dynos | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n processes = ['web', 'worker']\n if self.clock_is_on:\n processes.append('clock')\n for process in processes:\n self.scale_down_... |
def x(self, key, value):
cmd = ['heroku', 'config:set', '{}={}'.format(key, quote(str(value))),
'--app', self.name]
if self._is_sensitive_key(key):
self._run_quiet(cmd)
else:
self._run(cmd)
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n cmd = ['heroku', 'config:set', '{}={}'.format(key, quote(str(value))),\n '--app', self.name]\n if self._is_sensitive_key(key)... |
def x(self, **kwargs):
quiet = False
if not kwargs:
return
cmd = ['heroku', 'config:set']
for k in sorted(kwargs):
cmd.append('{}={}'.format(k, quote(str(kwargs[k]))))
if self._is_sensitive_key(k):
quiet = True
cmd.extend(['--app', self.name])
if quiet:
self._run_quiet(cmd)
else:
self._run(cmd)
| set_multiple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n quiet = False\n if not kwargs:\n return\n cmd = ['heroku', 'config:set']\n for k in sorted(kwargs):\n cmd.append('... |
def x(self, timeout_secs=60):
def x(signum, frame):
raise HerokuTimeoutError('Failed to start after {} seconds.'.format
(timeout_secs, self._record))
if self.is_running:
self.out.log('Local Heroku is already running.')
return
signal.signal(signal.SIGALRM, _handle_timeout)
signal.alarm(timeout_secs)
self._boot()
try:
success = self._verify_startup()
finally:
signal.alarm(0)
if not success:
self.stop(signal.SIGKILL)
raise HerokuStartupError('Failed to start for unknown reason: {}'.
format(self._record))
return True
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout_secs=60):\n\n def x(signum, frame):\n raise HerokuTimeoutError('Failed to start after {} seconds.'.format\n (timeout_secs, s... |
def x(self, signal=None):
signal = signal or self.int_signal
self.out.log('Cleaning up local Heroku process...')
if self._process is None:
self.out.log('No local Heroku process was running.')
return
try:
os.killpg(os.getpgid(self._process.pid), signal)
self.out.log('Local Heroku process terminated.')
except OSError:
self.out.log('Local Heroku was already terminated.')
self.out.log(traceback.format_exc())
finally:
self._process = None
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signal=None):\n signal = signal or self.int_signal\n self.out.log('Cleaning up local Heroku process...')\n if self._process is None:\n se... |
def x(self, listener):
for line in self._stream():
self._record.append(line)
if self.verbose:
self.out.blather(line)
if listener(line) is self.MONITOR_STOP:
return
| monitor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, listener):\n for line in self._stream():\n self._record.append(line)\n if self.verbose:\n self.out.blather(line)\n if ... |
def x():
initialize_experiment_package(os.getcwd())
try:
try:
from dallinger_experiment import experiment
except ImportError:
from dallinger_experiment import dallinger_experiment as experiment
classes = inspect.getmembers(experiment, inspect.isclass)
for name, c in classes:
if 'Experiment' in c.__bases__[0].__name__:
return c
else:
raise ImportError
except ImportError:
logger.error('Could not import experiment.')
raise
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n initialize_experiment_package(os.getcwd())\n try:\n try:\n from dallinger_experiment import experiment\n except ImportError... |
def x(self):
if not self.networks():
for _ in range(self.practice_repeats):
network = self.create_network()
network.role = 'practice'
self.session.add(network)
for _ in range(self.experiment_repeats):
network = self.create_network()
network.role = 'experiment'
self.session.add(network)
self.session.commit()
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.networks():\n for _ in range(self.practice_repeats):\n network = self.create_network()\n network.role = 'p... |
def x(self, role='all', full='all'):
if full not in ['all', True, False]:
raise ValueError('full must be boolean or all, it cannot be {}'.
format(full))
if full == 'all':
if role == 'all':
return Network.query.all()
else:
return Network.query.filter_by(role=role).all()
elif role == 'all':
return Network.query.filter_by(full=full).all()
else:
return Network.query.filter(and_(Network.role == role, Network.full ==
full)).all()
| networks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, role='all', full='all'):\n if full not in ['all', True, False]:\n raise ValueError('full must be boolean or all, it cannot be {}'.\n ... |
def x(self, participant):
key = participant.id
networks_with_space = Network.query.filter_by(full=False).order_by(Network
.id).all()
networks_participated_in = [node.network_id for node in Node.query.
with_entities(Node.network_id).filter_by(participant_id=participant
.id).all()]
legal_networks = [net for net in networks_with_space if net.id not in
networks_participated_in]
if not legal_networks:
self.log('No networks available, returning None', key)
return None
self.log('{} networks out of {} available'.format(len(legal_networks),
self.practice_repeats + self.experiment_repeats), key)
legal_practice_networks = [net for net in legal_networks if net.role ==
'practice']
if legal_practice_networks:
chosen_network = legal_practice_networks[0]
self.log(
'Practice networks available.Assigning participant to practice network {}.'
.format(chosen_network.id), key)
else:
chosen_network = self.choose_network(legal_networks, participant)
self.log(
'No practice networks available.Assigning participant to experiment network {}'
.format(chosen_network.id), key)
return chosen_network
| get_network_for_participant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant):\n key = participant.id\n networks_with_space = Network.query.filter_by(full=False).order_by(Network\n .id).all()\n networks... |
def x(self):
if not self.networks(full=False):
self.log('All networks full: closing recruitment', '-----')
self.recruiter.close_recruitment()
| recruit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.networks(full=False):\n self.log('All networks full: closing recruitment', '-----')\n self.recruiter.close_recruitment()\... |
def x(self):
participants = Participant.query.with_entities(Participant.status).all()
counts = Counter([p.status for p in participants])
sorted_counts = sorted(counts.items(), key=itemgetter(0))
self.log('Status summary: {}'.format(str(sorted_counts)))
return sorted_counts
| log_summary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n participants = Participant.query.with_entities(Participant.status).all()\n counts = Counter([p.status for p in participants])\n sorted_counts... |
def x(self, *objects):
if len(objects) > 0:
self.session.add_all(objects)
self.session.commit()
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *objects):\n if len(objects) > 0:\n self.session.add_all(objects)\n self.session.commit()\n",
"role": "user"
},
{
"content": "sa... |
def x(self, participant):
participant_nodes = Node.query.filter_by(participant_id=participant.id,
failed=False).all()
for node in participant_nodes:
node.fail()
| fail_participant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant):\n participant_nodes = Node.query.filter_by(participant_id=participant.id,\n failed=False).all()\n for node in participant_node... |
def x(self, exp_config=None, app_id=None, bot=False, **kwargs):
import dallinger as dlgr
app_id = self.make_uuid(app_id)
if bot:
kwargs['recruiter'] = 'bots'
self.app_id = app_id
self.exp_config = exp_config or kwargs
self.update_status('Starting')
try:
if self.exp_config.get('mode') == 'debug':
dlgr.command_line.debug.callback(verbose=True, bot=bot, proxy=
None, exp_config=self.exp_config)
else:
dlgr.deployment.deploy_sandbox_shared_setup(dlgr.command_line.
log, app=app_id, verbose=self.verbose, exp_config=self.
exp_config)
except Exception:
self.update_status('Errored')
raise
else:
self.update_status('Running')
self._await_completion()
self.update_status('Retrieving data')
data = self.retrieve_data()
self.update_status('Completed')
return data
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exp_config=None, app_id=None, bot=False, **kwargs):\n import dallinger as dlgr\n app_id = self.make_uuid(app_id)\n if bot:\n kwargs['recr... |
def x(self, app_id, exp_config=None, bot=False, **kwargs):
try:
results = data_load(app_id)
self.log('Data found for experiment {}, retrieving.'.format(app_id),
key='Retrieve:')
return results
except IOError:
self.log('Could not fetch data for id: {}, checking registry'.
format(app_id), key='Retrieve:')
exp_config = exp_config or {}
if is_registered(app_id):
raise RuntimeError('The id {} is registered, '.format(app_id) +
'but you do not have permission to access to the data')
elif kwargs.get('mode') == 'debug' or exp_config.get('mode') == 'debug':
raise RuntimeError('No remote or local data found for id {}'.format
(app_id))
try:
assert isinstance(uuid.UUID(app_id, version=4), uuid.UUID)
except (ValueError, AssertionError):
raise ValueError('Invalid UUID supplied {}'.format(app_id))
self.log('{} appears to be a new experiment id, running experiment.'.
format(app_id), key='Retrieve:')
return self.run(exp_config, app_id, bot, **kwargs)
| collect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app_id, exp_config=None, bot=False, **kwargs):\n try:\n results = data_load(app_id)\n self.log('Data found for experiment {}, retrieving... |
def x(cls, app_id=None):
try:
if app_id and isinstance(uuid.UUID(str(app_id), version=4), uuid.UUID):
return str(app_id)
except (ValueError, AssertionError):
pass
return str(uuid.UUID(int=random.getrandbits(128)))
| make_uuid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, app_id=None):\n try:\n if app_id and isinstance(uuid.UUID(str(app_id), version=4), uuid.UUID):\n return str(app_id)\n except (Valu... |
def x(self):
heroku_app = HerokuApp(self.app_id)
status_url = '{}/summary'.format(heroku_app.url)
data = {}
try:
resp = requests.get(status_url)
data = resp.json()
except (ValueError, requests.exceptions.RequestException):
logger.exception('Error fetching experiment status.')
logger.debug('Current application state: {}'.format(data))
return data.get('completed', False)
| experiment_completed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n heroku_app = HerokuApp(self.app_id)\n status_url = '{}/summary'.format(heroku_app.url)\n data = {}\n try:\n resp = requests.get(sta... |
def x(self):
local = False
if self.exp_config.get('mode') == 'debug':
local = True
filename = export(self.app_id, local=local)
logger.debug('Data exported to %s' % filename)
return Data(filename)
| retrieve_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n local = False\n if self.exp_config.get('mode') == 'debug':\n local = True\n filename = export(self.app_id, local=local)\n logger.de... |
def x(self):
if self.exp_config.get('mode') != 'debug':
HerokuApp(self.app_id).destroy()
return True
| end_experiment | [
{
"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.exp_config.get('mode') != 'debug':\n HerokuApp(self.app_id).destroy()\n return True\n",
"role": "user"
},
{
"content"... |
def x(self, session=None, target=None):
if session is None:
session = self.session
return session.query(Info).order_by(Info.creation_time)
| events_for_replay | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session=None, target=None):\n if session is None:\n session = self.session\n return session.query(Info).order_by(Info.creation_time)\n",
... |
def x(self):
from IPython.display import display
self.build_widget()
display(self.widget())
| ipython_display_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from IPython.display import display\n self.build_widget()\n display(self.widget())\n",
"role": "user"
},
{
"content": "ipython_di... |
def x(config):
debug_mode = config.get('mode') == 'debug'
name = config.get('recruiter', None)
recruiter = None
if config.get('replay'):
return HotAirRecruiter()
if name is not None:
recruiter = by_name(name)
if isinstance(recruiter, (BotRecruiter, MultiRecruiter)):
return recruiter
if debug_mode:
return HotAirRecruiter()
if recruiter is not None:
return recruiter
if name and recruiter is None:
raise NotImplementedError('No such recruiter {}'.format(name))
return MTurkRecruiter()
| from_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n debug_mode = config.get('mode') == 'debug'\n name = config.get('recruiter', None)\n recruiter = None\n if config.get('replay'):\n ... |
def x(self, n=1):
logger.info('Opening CLI recruitment for {} participants'.format(n))
recruitments = self.recruit(n)
message = (
"""Search for "{}" in the logs for subsequent recruitment URLs.
Open the logs for this experiment with "dallinger logs --app {}\""""
.format(NEW_RECRUIT_LOG_PREFIX, self.config.get('id')))
return {'items': recruitments, 'message': message}
| open_recruitment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n logger.info('Opening CLI recruitment for {} participants'.format(n))\n recruitments = self.recruit(n)\n message = (\n \"\"\"Searc... |
def x(self, n=1):
logger.info('Recruiting {} CLI participants'.format(n))
urls = []
template = (
'{}/ad?recruiter={}&assignmentId={}&hitId={}&workerId={}&mode={}')
for i in range(n):
ad_url = template.format(get_base_url(), self.nickname,
generate_random_id(), generate_random_id(), generate_random_id(
), self._get_mode())
logger.info('{} {}'.format(NEW_RECRUIT_LOG_PREFIX, ad_url))
urls.append(ad_url)
return urls
| recruit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n logger.info('Recruiting {} CLI participants'.format(n))\n urls = []\n template = (\n '{}/ad?recruiter={}&assignmentId={}&hitId={}... |
def x(self, assignment_id, amount, reason):
logger.info('Award ${} for assignment {}, with reason "{}"'.format(
amount, assignment_id, reason))
| reward_bonus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, assignment_id, amount, reason):\n logger.info('Award ${} for assignment {}, with reason \"{}\"'.format(\n amount, assignment_id, reason))\n",
... |
def x(self, n=1):
logger.info('Opening HotAir recruitment for {} participants'.format(n))
recruitments = self.recruit(n)
message = 'Recruitment requests will open browser windows automatically.'
return {'items': recruitments, 'message': message}
| open_recruitment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n logger.info('Opening HotAir recruitment for {} participants'.format(n))\n recruitments = self.recruit(n)\n message = 'Recruitment reques... |
def x(self, n=1):
logger.info('Opening Sim recruitment for {} participants'.format(n))
return {'items': self.recruit(n), 'message': 'Simulated recruitment only'}
| open_recruitment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n logger.info('Opening Sim recruitment for {} participants'.format(n))\n return {'items': self.recruit(n), 'message': 'Simulated recruitment ... |
def x(self, n=1):
logger.info('Opening MTurk recruitment for {} participants'.format(n))
if self.is_in_progress:
raise MTurkRecruiterException(
'Tried to open_recruitment on already open recruiter.')
if self.hit_domain is None:
raise MTurkRecruiterException("Can't run a HIT from localhost")
self.mturkservice.check_credentials()
if self.config.get('assign_qualifications'):
self._create_mturk_qualifications()
hit_request = {'max_assignments': n, 'title': self.config.get('title'),
'description': self.config.get('description'), 'keywords': self.
_config_to_list('keywords'), 'reward': self.config.get(
'base_payment'), 'duration_hours': self.config.get('duration'),
'lifetime_days': self.config.get('lifetime'), 'ad_url': self.ad_url,
'notification_url': self.config.get('notification_url'),
'approve_requirement': self.config.get('approve_requirement'),
'us_only': self.config.get('us_only'), 'blacklist': self.
_config_to_list('qualification_blacklist'), 'annotation': self.
config.get('id')}
hit_info = self.mturkservice.create_hit(**hit_request)
if self.config.get('mode') == 'sandbox':
lookup_url = (
'https://workersandbox.mturk.com/mturk/preview?groupId={type_id}')
else:
lookup_url = 'https://worker.mturk.com/mturk/preview?groupId={type_id}'
return {'items': [lookup_url.format(**hit_info)], 'message':
'HIT now published to Amazon Mechanical Turk'}
| open_recruitment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n logger.info('Opening MTurk recruitment for {} participants'.format(n))\n if self.is_in_progress:\n raise MTurkRecruiterException(\n ... |
def x(self, n=1):
logger.info('Recruiting {} MTurk participants'.format(n))
if not self.config.get('auto_recruit'):
logger.info('auto_recruit is False: recruitment suppressed')
return
hit_id = self.current_hit_id()
if hit_id is None:
logger.info('no HIT in progress: recruitment aborted')
return
try:
return self.mturkservice.extend_hit(hit_id, number=n,
duration_hours=self.config.get('duration'))
except MTurkServiceException as ex:
logger.exception(str(ex))
| recruit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n logger.info('Recruiting {} MTurk participants'.format(n))\n if not self.config.get('auto_recruit'):\n logger.info('auto_recruit is F... |
def x(self, participant):
if participant.status == 'overrecruited' or not self.qualification_active:
return
worker_id = participant.worker_id
for name in self.qualifications:
try:
self.mturkservice.increment_qualification_score(name, worker_id)
except QualificationNotFoundException as ex:
logger.exception(ex)
| notify_completed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant):\n if participant.status == 'overrecruited' or not self.qualification_active:\n return\n worker_id = participant.worker_id\n ... |
def x(self, participants, reference_time):
unsubmitted = []
for participant in participants:
summary = ParticipationTime(participant, reference_time, self.config)
status = self._mturk_status_for(participant)
if status == 'Approved':
participant.status = 'approved'
session.commit()
elif status == 'Rejected':
participant.status = 'rejected'
session.commit()
elif status == 'Submitted':
self._resend_submitted_rest_notification_for(participant)
self._message_researcher(self._resubmitted_msg(summary))
logger.warning(
'Error - submitted notification for participant {} missed. A replacement notification was created and sent, but proceed with caution.'
.format(participant.id))
else:
self._send_notification_missing_rest_notification_for(participant)
unsubmitted.append(summary)
if unsubmitted:
self._disable_autorecruit()
self.close_recruitment()
pick_one = unsubmitted[0]
self._message_researcher(self._cancelled_msg(pick_one))
try:
self.mturkservice.expire_hit(pick_one.participant.hit_id)
except MTurkServiceException as ex:
logger.exception(ex)
| notify_duration_exceeded | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participants, reference_time):\n unsubmitted = []\n for participant in participants:\n summary = ParticipationTime(participant, reference_ti... |
def x(self, assignment_id, amount, reason):
try:
return self.mturkservice.grant_bonus(assignment_id, amount, reason)
except MTurkServiceException as ex:
logger.exception(str(ex))
| reward_bonus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, assignment_id, amount, reason):\n try:\n return self.mturkservice.grant_bonus(assignment_id, amount, reason)\n except MTurkServiceException ... |
def x(self):
for name, desc in self.qualifications.items():
try:
self.mturkservice.create_qualification_type(name, desc)
except DuplicateQualificationNameError:
pass
| create_mturk_qualifications | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for name, desc in self.qualifications.items():\n try:\n self.mturkservice.create_qualification_type(name, desc)\n except D... |
def x(self, n=1):
logger.info('Opening Bot recruitment for {} participants'.format(n))
factory = self._get_bot_factory()
bot_class_name = factory('', '', '').__class__.__name__
return {'items': self.recruit(n), 'message':
'Bot recruitment started using {}'.format(bot_class_name)}
| open_recruitment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n logger.info('Opening Bot recruitment for {} participants'.format(n))\n factory = self._get_bot_factory()\n bot_class_name = factory('', ... |
def x(self, n=1):
logger.info('Recruiting {} Bot participants'.format(n))
factory = self._get_bot_factory()
urls = []
q = _get_queue()
for _ in range(n):
base_url = get_base_url()
worker = generate_random_id()
hit = generate_random_id()
assignment = generate_random_id()
ad_parameters = (
'recruiter={}&assignmentId={}&hitId={}&workerId={}&mode=sandbox')
ad_parameters = ad_parameters.format(self.nickname, assignment, hit,
worker)
url = '{}/ad?{}'.format(base_url, ad_parameters)
urls.append(url)
bot = factory(url, assignment_id=assignment, worker_id=worker,
hit_id=hit)
job = q.enqueue(bot.run_experiment, timeout=self._timeout)
logger.warning('Created job {} for url {}.'.format(job.id, url))
return urls
| recruit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n logger.info('Recruiting {} Bot participants'.format(n))\n factory = self._get_bot_factory()\n urls = []\n q = _get_queue()\n for _... |
def x(self, participants, reference_time):
for participant in participants:
participant.status = 'rejected'
session.commit()
| notify_duration_exceeded | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participants, reference_time):\n for participant in participants:\n participant.status = 'rejected'\n session.commit()\n",
"role": "... |
def x(self):
recruiters = []
spec = get_config().get('recruiters')
for match in self.SPEC_RE.finditer(spec):
name = match.group(1)
count = int(match.group(2))
recruiters.append((name, count))
return recruiters
| parse_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n recruiters = []\n spec = get_config().get('recruiters')\n for match in self.SPEC_RE.finditer(spec):\n name = match.group(1)\n c... |
def x(self, n=1):
recruit_count = 0
while recruit_count <= n:
counts = dict(session.query(Recruitment.recruiter_id, func.count(
Recruitment.id)).group_by(Recruitment.recruiter_id).all())
for recruiter_id, target_count in self.spec:
remaining = 0
count = counts.get(recruiter_id, 0)
if count >= target_count:
counts[recruiter_id] = count - target_count
continue
else:
remaining = target_count - count
break
else:
return
num_recruits = min(n - recruit_count, remaining)
for i in range(num_recruits):
session.add(Recruitment(recruiter_id=recruiter_id))
session.commit()
recruit_count += num_recruits
yield by_name(recruiter_id), num_recruits
| recruiters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n recruit_count = 0\n while recruit_count <= n:\n counts = dict(session.query(Recruitment.recruiter_id, func.count(\n Recru... |
def x(self, n=1):
logger.info('Multi recruitment running for {} participants'.format(n))
recruitments = []
messages = {}
remaining = n
for recruiter, count in self.recruiters(n):
if not count:
break
if recruiter.nickname in messages:
result = recruiter.recruit(count)
recruitments.extend(result)
else:
result = recruiter.open_recruitment(count)
recruitments.extend(result['items'])
messages[recruiter.nickname] = result['message']
remaining -= count
if remaining <= 0:
break
logger.info(
'Multi-recruited {} out of {} participants, using {} recruiters.'.
format(n - remaining, n, len(messages)))
return {'items': recruitments, 'message': '\n'.join(messages.values())}
| open_recruitment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n logger.info('Multi recruitment running for {} participants'.format(n))\n recruitments = []\n messages = {}\n remaining = n\n for r... |
def x(participants, config, reference_time):
recruiters_with_late_participants = defaultdict(list)
for p in participants:
timeline = ParticipationTime(p, reference_time, config)
if timeline.is_overdue:
print(
'Error: participant {} with status {} has been playing for too long - their recruiter will be notified.'
.format(p.id, p.status))
recruiters_with_late_participants[p.recruiter_id].append(p)
for recruiter_id, participants in recruiters_with_late_participants.items(
):
recruiter = recruiters.by_name(recruiter_id)
recruiter.notify_duration_exceeded(participants, reference_time)
| run_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(participants, config, reference_time):\n recruiters_with_late_participants = defaultdict(list)\n for p in participants:\n timeline = Participation... |
def x():
config = dallinger.config.get_config()
participants = Participant.query.filter_by(status='working').all()
reference_time = datetime.now()
run_check(participants, config, reference_time)
| check_db_for_missing_notifications | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n config = dallinger.config.get_config()\n participants = Participant.query.filter_by(status='working').all()\n reference_time = datetime.now()\n ... |
def x(self, burst=False, logging_level=logging.INFO):
setup_loghandlers(logging_level)
self._install_signal_handlers()
self.did_perform_work = False
self.register_birth()
self.log.info(
'RQ GEVENT worker (Greenlet pool size={0}) {1!r} started, version {2}'
.format(self.gevent_pool.size, self.key, VERSION))
self.set_state(WorkerStatus.STARTED)
try:
while True:
try:
self.check_for_suspension(burst)
if self.should_run_maintenance_tasks:
self.clean_registries()
if self._stop_requested:
self.log.info('Stopping on request.')
break
timeout = None if burst else max(1, self.default_worker_ttl -
60)
result = self.dequeue_job_and_maintain_ttl(timeout)
if result is None and burst:
self.log.info('RQ worker {0!r} done, quitting'.format(
self.key))
try:
gevent.wait(self.children)
except LoopExit:
pass
result = self.dequeue_job_and_maintain_ttl(timeout)
if result is None:
break
except StopRequested:
break
job, queue = result
self.execute_job(job, queue)
finally:
if not self.is_horse:
self.register_death()
return self.did_perform_work
| work | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, burst=False, logging_level=logging.INFO):\n setup_loghandlers(logging_level)\n self._install_signal_handlers()\n self.did_perform_work = False\n... |
def x(self, burst=False, logging_level=logging.INFO):
if burst:
return self._work(burst, logging_level=logging_level)
self.gevent_worker = gevent.spawn(self._work, burst)
self.gevent_worker.join()
return self.gevent_worker.value
| work | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, burst=False, logging_level=logging.INFO):\n if burst:\n return self._work(burst, logging_level=logging_level)\n self.gevent_worker = gevent.... |
def x(dlgr_id, snapshot=None):
try:
config.get('osf_access_token')
except KeyError:
pass
else:
osf_id = _create_osf_project(dlgr_id)
_upload_assets_to_OSF(dlgr_id, osf_id)
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dlgr_id, snapshot=None):\n try:\n config.get('osf_access_token')\n except KeyError:\n pass\n else:\n osf_id = _create_osf_project... |
def x(dlgr_id, description=None):
if not description:
description = 'Experiment {} registered by Dallinger.'.format(dlgr_id)
r = requests.post('{}/nodes/'.format(root), data={'type': 'nodes',
'category': 'project', 'title': 'Experiment dlgr-{}'.format(dlgr_id
[0:8]), 'description': description}, headers={'Authorization':
'Bearer {}'.format(config.get('osf_access_token'))})
r.raise_for_status()
osf_id = r.json()['data']['id']
logger.info('Project registered on OSF at http://osf.io/{}'.format(osf_id))
return osf_id
| create_osf_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dlgr_id, description=None):\n if not description:\n description = 'Experiment {} registered by Dallinger.'.format(dlgr_id)\n r = requests.post('{}... |
def x(dlgr_id, osf_id, provider='osfstorage'):
root = 'https://files.osf.io/v1'
snapshot_filename = '{}-code.zip'.format(dlgr_id)
snapshot_path = os.path.join('snapshots', snapshot_filename)
r = requests.put('{}/resources/{}/providers/{}/'.format(root, osf_id,
provider), params={'kind': 'file', 'name': snapshot_filename},
headers={'Authorization': 'Bearer {}'.format(config.get(
'osf_access_token')), 'Content-Type': 'text/plain'}, data=open(
snapshot_path, 'rb'))
r.raise_for_status()
| upload_assets_to_OSF | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dlgr_id, osf_id, provider='osfstorage'):\n root = 'https://files.osf.io/v1'\n snapshot_filename = '{}-code.zip'.format(dlgr_id)\n snapshot_path = os.p... |
def x(deadline, label, task_id):
client = get_client()
task_doc = assemble_generic_doc('task', label=label, deadline=deadline)
res = client.update_task(task_id, task_doc)
formatted_print(res, simple_text='Success')
| update_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(deadline, label, task_id):\n client = get_client()\n task_doc = assemble_generic_doc('task', label=label, deadline=deadline)\n res = client.update_tas... |
def x(endpoint_id, role_id):
client = get_client()
role = client.get_endpoint_role(endpoint_id, role_id)
formatted_print(role, text_format=FORMAT_TEXT_RECORD, fields=((
'Principal Type', 'principal_type'), ('Principal', lookup_principal
), ('Role', 'role')))
| role_show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint_id, role_id):\n client = get_client()\n role = client.get_endpoint_role(endpoint_id, role_id)\n formatted_print(role, text_format=FORMAT_TEXT... |
def x():
ctx = click.get_current_context()
state = ctx.ensure_object(CommandState)
return state.outformat_is_json()
| outformat_is_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ctx = click.get_current_context()\n state = ctx.ensure_object(CommandState)\n return state.outformat_is_json()\n",
"role": "user"
},
{
... |
def x():
ctx = click.get_current_context()
state = ctx.ensure_object(CommandState)
return state.outformat_is_unix()
| outformat_is_unix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ctx = click.get_current_context()\n state = ctx.ensure_object(CommandState)\n return state.outformat_is_unix()\n",
"role": "user"
},
{
... |
def x():
ctx = click.get_current_context()
state = ctx.ensure_object(CommandState)
return state.outformat_is_text()
| outformat_is_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ctx = click.get_current_context()\n state = ctx.ensure_object(CommandState)\n return state.outformat_is_text()\n",
"role": "user"
},
{
... |
def x():
ctx = click.get_current_context()
state = ctx.ensure_object(CommandState)
return state.jmespath_expr
| get_jmespath_expression | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ctx = click.get_current_context()\n state = ctx.ensure_object(CommandState)\n return state.jmespath_expr\n",
"role": "user"
},
{
"con... |
def x():
ctx = click.get_current_context()
state = ctx.ensure_object(CommandState)
return state.verbosity
| verbosity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ctx = click.get_current_context()\n state = ctx.ensure_object(CommandState)\n return state.verbosity\n",
"role": "user"
},
{
"content... |
def x():
ctx = click.get_current_context()
state = ctx.ensure_object(CommandState)
return state.is_verbose()
| is_verbose | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ctx = click.get_current_context()\n state = ctx.ensure_object(CommandState)\n return state.is_verbose()\n",
"role": "user"
},
{
"cont... |
def x(endpoint_id, server_id):
client = get_client()
server_doc = client.get_endpoint_server(endpoint_id, server_id)
if not server_doc['uri']:
fields = ('ID', 'id'),
text_epilog = dedent(
"""
This server is for a Globus Connect Personal installation.
For its connection status, try:
globus endpoint show {}
"""
.format(endpoint_id))
else:
def x(server):
def x(start, end):
return ('unspecified' if not start and not end else
'unrestricted' if start == 1024 and end == 65535 else
'{}-{}'.format(start, end))
return 'incoming {}, outgoing {}'.format(get_range_summary(
server['incoming_data_port_start'], server[
'incoming_data_port_end']), get_range_summary(server[
'outgoing_data_port_start'], server['outgoing_data_port_end']))
fields = ('ID', 'id'), ('URI', 'uri'), ('Subject', 'subject'), (
'Data Ports', advertised_port_summary)
text_epilog = None
formatted_print(server_doc, text_format=FORMAT_TEXT_RECORD, fields=
fields, text_epilog=text_epilog)
| server_show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint_id, server_id):\n client = get_client()\n server_doc = client.get_endpoint_server(endpoint_id, server_id)\n if not server_doc['uri']:\n ... |
def x(role, principal, endpoint_id):
principal_type, principal_val = principal
client = get_client()
if principal_type == 'identity':
principal_val = maybe_lookup_identity_id(principal_val)
if not principal_val:
raise click.UsageError(
'Identity does not exist. Use --provision-identity to auto-provision an identity.'
)
elif principal_type == 'provision-identity':
principal_val = maybe_lookup_identity_id(principal_val, provision=True)
principal_type = 'identity'
role_doc = assemble_generic_doc('role', principal_type=principal_type,
principal=principal_val, role=role)
res = client.add_endpoint_role(endpoint_id, role_doc)
formatted_print(res, simple_text='ID: {}'.format(res['id']))
| role_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(role, principal, endpoint_id):\n principal_type, principal_val = principal\n client = get_client()\n if principal_type == 'identity':\n princip... |
def x(successful_transfers, task_id):
client = get_client()
if successful_transfers:
print_successful_transfers(client, task_id)
else:
print_task_detail(client, task_id)
| show_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(successful_transfers, task_id):\n client = get_client()\n if successful_transfers:\n print_successful_transfers(client, task_id)\n else:\n ... |
def x(endpoint_plus_path, bookmark_name):
endpoint_id, path = endpoint_plus_path
client = get_client()
submit_data = {'endpoint_id': str(endpoint_id), 'path': path, 'name':
bookmark_name}
res = client.create_bookmark(submit_data)
formatted_print(res, simple_text='Bookmark ID: {}'.format(res['id']))
| bookmark_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint_plus_path, bookmark_name):\n endpoint_id, path = endpoint_plus_path\n client = get_client()\n submit_data = {'endpoint_id': str(endpoint_id),... |
def x(endpoint_id):
endpoint, server_list = get_endpoint_w_server_list(endpoint_id)
if server_list == 'S3':
server_list = {'s3_url': endpoint['s3_url']}
fields = [('S3 URL', 's3_url')]
text_format = FORMAT_TEXT_RECORD
else:
fields = ('ID', 'id'), ('URI', lambda s: s['uri'] or
'none (Globus Connect Personal)')
text_format = FORMAT_TEXT_TABLE
formatted_print(server_list, text_format=text_format, fields=fields)
| server_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint_id):\n endpoint, server_list = get_endpoint_w_server_list(endpoint_id)\n if server_list == 'S3':\n server_list = {'s3_url': endpoint['s3_... |
def x(limit, filter_task_id, filter_status, filter_type, filter_label,
filter_not_label, inexact, filter_requested_after,
filter_requested_before, filter_completed_after, filter_completed_before):
def x(prefix, value, default=None):
if value:
if isinstance(value, six.string_types):
return '{}:{}/'.format(prefix, value)
return '{}:{}/'.format(prefix, ','.join(str(x) for x in value))
else:
return default or ''
filter_string = ''
filter_string += _process_filterval('task_id', filter_task_id)
filter_string += _process_filterval('status', filter_status)
filter_string += _process_filterval('type', filter_type, default=
'type:TRANSFER,DELETE/')
if inexact:
label_data = [('~' + s) for s in filter_label] + [('!~' + s) for s in
filter_not_label]
else:
label_data = [('=' + s) for s in filter_label] + [('!' + s) for s in
filter_not_label]
filter_string += _process_filterval('label', label_data)
filter_string += _process_filterval('request_time', [
filter_requested_after or '', filter_requested_before or ''])
filter_string += _process_filterval('completion_time', [
filter_completed_after or '', filter_completed_before or ''])
client = get_client()
task_iterator = client.task_list(num_results=limit, filter=
filter_string[:-1])
fields = [('Task ID', 'task_id'), ('Status', 'status'), ('Type', 'type'
), ('Source Display Name', 'source_endpoint_display_name'), (
'Dest Display Name', 'destination_endpoint_display_name'), ('Label',
'label')]
formatted_print(task_iterator, fields=fields, json_converter=
iterable_response_to_dict)
| task_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(limit, filter_task_id, filter_status, filter_type, filter_label,\n filter_not_label, inexact, filter_requested_after,\n filter_requested_before, filter_c... |
def x(batch, ignore_missing, star_silent, recursive, enable_globs,
endpoint_plus_path, label, submission_id, dry_run, deadline,
skip_activation_check, notify):
endpoint_id, path = endpoint_plus_path
if path is None and not batch:
raise click.UsageError('delete requires either a PATH OR --batch')
client = get_client()
if not skip_activation_check:
autoactivate(client, endpoint_id, if_expires_in=60)
delete_data = DeleteData(client, endpoint_id, label=label, recursive=
recursive, ignore_missing=ignore_missing, submission_id=
submission_id, deadline=deadline, skip_activation_check=
skip_activation_check, interpret_globs=enable_globs, **notify)
if batch:
@click.command()
@click.argument('path', type=TaskPath(base_dir=path))
def x(path):
delete_data.add_item(str(path))
shlex_process_stdin(process_batch_line,
'Enter paths to delete, line by line.')
else:
if not star_silent and enable_globs and path.endswith('*'):
if err_is_terminal() and term_is_interactive(
) and not click.confirm(
'Are you sure you want to delete all files matching "{}"?'.
format(path), err=True):
safeprint('Aborted.', write_to_stderr=True)
click.get_current_context().exit(1)
delete_data.add_item(path)
if dry_run:
formatted_print(delete_data, response_key='DATA', fields=[('Path',
'path')])
return
res = client.submit_delete(delete_data)
formatted_print(res, text_format=FORMAT_TEXT_RECORD, fields=(('Message',
'message'), ('Task ID', 'task_id')))
| delete_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(batch, ignore_missing, star_silent, recursive, enable_globs,\n endpoint_plus_path, label, submission_id, dry_run, deadline,\n skip_activation_check, noti... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.