source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
task_invitation = TaskInvitation.objects.get(self.task_invitation_key)
wfi = task_invitation.instance
if not wfi.current_actor.exist:
wfi.current_actor = self.current.role
wfi.save()
[inv.delete() for inv in TaskInvitation.objects.filter(instance=wfi
) if not inv == task_invitation]
title = _(u'Successful')
msg = _(u'You have successfully assigned the job to yourself.')
else:
title = _(u'Unsuccessful')
msg = _(u'Unfortunately, this job is already taken by someone else.')
self.current.msg_box(title=title, msg=msg)
|
assign_yourself
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n task_invitation = TaskInvitation.objects.get(self.task_invitation_key)\n wfi = task_invitation.instance\n if not wfi.current_actor.exist:\n wfi.current_actor = self.current.role\n wfi.save()\n [inv.delete() for inv in TaskInvitation.objects.filter(instance=wfi\n ) if not inv == task_invitation]\n title = _(u'Successful')\n msg = _(u'You have successfully assigned the job to yourself.')\n else:\n title = _(u'Unsuccessful')\n msg = _(u'Unfortunately, this job is already taken by someone else.')\n self.current.msg_box(title=title, msg=msg)\n",
"role": "user"
},
{
"content": "assign_yourself",
"role": "assistant"
}
] |
def x(self):
roles = [(m.key, m.__unicode__()) for m in RoleModel.objects.filter(
abstract_role=self.current.role.abstract_role, unit=self.current.
role.unit) if m != self.current.role]
if roles:
_form = forms.JsonForm(title=_(u'Assign to workflow'))
_form.select_role = fields.Integer(_(u'Chose Role'), choices=roles)
_form.explain_text = fields.String(_(u'Explain Text'), required=False)
_form.send_button = fields.Button(_(u'Send'))
self.form_out(_form)
else:
title = _(u'Unsuccessful')
msg = _(u'Assign role not found')
self.current.msg_box(title=title, msg=msg)
|
select_role
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n roles = [(m.key, m.__unicode__()) for m in RoleModel.objects.filter(\n abstract_role=self.current.role.abstract_role, unit=self.current.\n role.unit) if m != self.current.role]\n if roles:\n _form = forms.JsonForm(title=_(u'Assign to workflow'))\n _form.select_role = fields.Integer(_(u'Chose Role'), choices=roles)\n _form.explain_text = fields.String(_(u'Explain Text'), required=False)\n _form.send_button = fields.Button(_(u'Send'))\n self.form_out(_form)\n else:\n title = _(u'Unsuccessful')\n msg = _(u'Assign role not found')\n self.current.msg_box(title=title, msg=msg)\n",
"role": "user"
},
{
"content": "select_role",
"role": "assistant"
}
] |
def x(self):
task_invitation = TaskInvitation.objects.get(self.task_invitation_key)
wfi = task_invitation.instance
select_role = self.input['form']['select_role']
if wfi.current_actor == self.current.role:
task_invitation.role = RoleModel.objects.get(select_role)
wfi.current_actor = RoleModel.objects.get(select_role)
wfi.save()
task_invitation.save()
[inv.delete() for inv in TaskInvitation.objects.filter(instance=wfi
) if not inv == task_invitation]
title = _(u'Successful')
msg = _(u'The workflow was assigned to someone else with success.')
else:
title = _(u'Unsuccessful')
msg = _(
u'This workflow does not belong to you, you cannot assign it to someone else.'
)
self.current.msg_box(title=title, msg=msg)
|
send_workflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n task_invitation = TaskInvitation.objects.get(self.task_invitation_key)\n wfi = task_invitation.instance\n select_role = self.input['form']['select_role']\n if wfi.current_actor == self.current.role:\n task_invitation.role = RoleModel.objects.get(select_role)\n wfi.current_actor = RoleModel.objects.get(select_role)\n wfi.save()\n task_invitation.save()\n [inv.delete() for inv in TaskInvitation.objects.filter(instance=wfi\n ) if not inv == task_invitation]\n title = _(u'Successful')\n msg = _(u'The workflow was assigned to someone else with success.')\n else:\n title = _(u'Unsuccessful')\n msg = _(\n u'This workflow does not belong to you, you cannot assign it to someone else.'\n )\n self.current.msg_box(title=title, msg=msg)\n",
"role": "user"
},
{
"content": "send_workflow",
"role": "assistant"
}
] |
def x(self):
_form = forms.JsonForm(title='Postponed Workflow')
_form.start_date = fields.DateTime('Start Date')
_form.finish_date = fields.DateTime('Finish Date')
_form.save_button = fields.Button('Save')
self.form_out(_form)
|
select_postponed_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _form = forms.JsonForm(title='Postponed Workflow')\n _form.start_date = fields.DateTime('Start Date')\n _form.finish_date = fields.DateTime('Finish Date')\n _form.save_button = fields.Button('Save')\n self.form_out(_form)\n",
"role": "user"
},
{
"content": "select_postponed_date",
"role": "assistant"
}
] |
def x(self):
task_invitation = TaskInvitation.objects.get(self.task_invitation_key)
wfi = task_invitation.instance
if wfi.current_actor.exist and wfi.current_actor == self.current.role:
dt_start = datetime.strptime(self.input['form']['start_date'],
'%d.%m.%Y')
dt_finish = datetime.strptime(self.input['form']['finish_date'],
'%d.%m.%Y')
task_invitation.start_date = dt_start
task_invitation.finish_date = dt_finish
task_invitation.save()
wfi.start_date = dt_start
wfi.finish_date = dt_finish
wfi.save()
title = _(u'Successful')
msg = _(u"You've extended the workflow time.")
else:
title = _(u'Unsuccessful')
msg = _(u'This workflow does not belong to you.')
self.current.msg_box(title=title, msg=msg)
|
save_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n task_invitation = TaskInvitation.objects.get(self.task_invitation_key)\n wfi = task_invitation.instance\n if wfi.current_actor.exist and wfi.current_actor == self.current.role:\n dt_start = datetime.strptime(self.input['form']['start_date'],\n '%d.%m.%Y')\n dt_finish = datetime.strptime(self.input['form']['finish_date'],\n '%d.%m.%Y')\n task_invitation.start_date = dt_start\n task_invitation.finish_date = dt_finish\n task_invitation.save()\n wfi.start_date = dt_start\n wfi.finish_date = dt_finish\n wfi.save()\n title = _(u'Successful')\n msg = _(u\"You've extended the workflow time.\")\n else:\n title = _(u'Unsuccessful')\n msg = _(u'This workflow does not belong to you.')\n self.current.msg_box(title=title, msg=msg)\n",
"role": "user"
},
{
"content": "save_date",
"role": "assistant"
}
] |
def x(self):
task_invitation = TaskInvitation.objects.get(self.task_invitation_key)
wfi = task_invitation.instance
if wfi.current_actor.exist and wfi.current_actor == self.current.role:
for m in RoleModel.objects.filter(abstract_role=self.current.role.
abstract_role, unit=self.current.role.unit):
if m != self.current.role:
task_invitation.key = ''
task_invitation.role = m
task_invitation.save()
wfi.current_actor = RoleModel()
wfi.save()
title = _(u'Successful')
msg = _(u'You left the workflow.')
else:
title = _(u'Unsuccessful')
msg = _(
u'Unfortunately, this workflow does not belong to you or is already idle.'
)
self.current.msg_box(title=title, msg=msg)
|
suspend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n task_invitation = TaskInvitation.objects.get(self.task_invitation_key)\n wfi = task_invitation.instance\n if wfi.current_actor.exist and wfi.current_actor == self.current.role:\n for m in RoleModel.objects.filter(abstract_role=self.current.role.\n abstract_role, unit=self.current.role.unit):\n if m != self.current.role:\n task_invitation.key = ''\n task_invitation.role = m\n task_invitation.save()\n wfi.current_actor = RoleModel()\n wfi.save()\n title = _(u'Successful')\n msg = _(u'You left the workflow.')\n else:\n title = _(u'Unsuccessful')\n msg = _(\n u'Unfortunately, this workflow does not belong to you or is already idle.'\n )\n self.current.msg_box(title=title, msg=msg)\n",
"role": "user"
},
{
"content": "suspend",
"role": "assistant"
}
] |
def x(self, location=None):
location = location or self.location
return (self.color == color.white and location.rank == 1 or self.color ==
color.black and location.rank == 6)
|
on_home_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location=None):\n location = location or self.location\n return (self.color == color.white and location.rank == 1 or self.color ==\n color.black and location.rank == 6)\n",
"role": "user"
},
{
"content": "on_home_row",
"role": "assistant"
}
] |
def x(self, location=None):
location = location or self.location
return (location.rank == 1 and self.color == color.black or location.
rank == 6 and self.color == color.white)
|
would_move_be_promotion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location=None):\n location = location or self.location\n return (location.rank == 1 and self.color == color.black or location.\n rank == 6 and self.color == color.white)\n",
"role": "user"
},
{
"content": "would_move_be_promotion",
"role": "assistant"
}
] |
def x(self, location=None):
location = location or self.location
return location.shift_up(
) if self.color == color.white else location.shift_down()
|
square_in_front
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location=None):\n location = location or self.location\n return location.shift_up(\n ) if self.color == color.white else location.shift_down()\n",
"role": "user"
},
{
"content": "square_in_front",
"role": "assistant"
}
] |
def x(self, position):
if position.is_square_empty(self.square_in_front(self.location)):
"""
If square in front is empty add the move
"""
if self.would_move_be_promotion():
for move in self.create_promotion_moves(notation_const.PROMOTE):
yield move
else:
yield self.create_move(end_loc=self.square_in_front(self.
location), status=notation_const.MOVEMENT)
if self.on_home_row() and position.is_square_empty(self.
two_squares_in_front(self.location)):
"""
If pawn is on home row and two squares in front of the pawn is empty
add the move
"""
yield self.create_move(end_loc=self.square_in_front(self.
square_in_front(self.location)), status=notation_const.MOVEMENT
)
|
forward_moves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position):\n if position.is_square_empty(self.square_in_front(self.location)):\n \"\"\"\n If square in front is empty add the move\n \"\"\"\n if self.would_move_be_promotion():\n for move in self.create_promotion_moves(notation_const.PROMOTE):\n yield move\n else:\n yield self.create_move(end_loc=self.square_in_front(self.\n location), status=notation_const.MOVEMENT)\n if self.on_home_row() and position.is_square_empty(self.\n two_squares_in_front(self.location)):\n \"\"\"\n If pawn is on home row and two squares in front of the pawn is empty\n add the move\n \"\"\"\n yield self.create_move(end_loc=self.square_in_front(self.\n square_in_front(self.location)), status=notation_const.MOVEMENT\n )\n",
"role": "user"
},
{
"content": "forward_moves",
"role": "assistant"
}
] |
def x(self, capture_square, position):
if self.contains_opposite_color_piece(capture_square, position):
if self.would_move_be_promotion():
for move in self.create_promotion_moves(status=notation_const.
CAPTURE_AND_PROMOTE, location=capture_square):
yield move
else:
yield self.create_move(end_loc=capture_square, status=
notation_const.CAPTURE)
|
one_diagonal_capture_square
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, capture_square, position):\n if self.contains_opposite_color_piece(capture_square, position):\n if self.would_move_be_promotion():\n for move in self.create_promotion_moves(status=notation_const.\n CAPTURE_AND_PROMOTE, location=capture_square):\n yield move\n else:\n yield self.create_move(end_loc=capture_square, status=\n notation_const.CAPTURE)\n",
"role": "user"
},
{
"content": "one_diagonal_capture_square",
"role": "assistant"
}
] |
def x(self, position):
try:
right_diagonal = self.square_in_front(self.location.shift_right())
for move in self._one_diagonal_capture_square(right_diagonal, position
):
yield move
except IndexError:
pass
try:
left_diagonal = self.square_in_front(self.location.shift_left())
for move in self._one_diagonal_capture_square(left_diagonal, position):
yield move
except IndexError:
pass
|
capture_moves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position):\n try:\n right_diagonal = self.square_in_front(self.location.shift_right())\n for move in self._one_diagonal_capture_square(right_diagonal, position\n ):\n yield move\n except IndexError:\n pass\n try:\n left_diagonal = self.square_in_front(self.location.shift_left())\n for move in self._one_diagonal_capture_square(left_diagonal, position):\n yield move\n except IndexError:\n pass\n",
"role": "user"
},
{
"content": "capture_moves",
"role": "assistant"
}
] |
def x(self):
return (self.color == color.white and self.location.rank == 4 or self.
color == color.black and self.location.rank == 3)
|
on_en_passant_valid_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return (self.color == color.white and self.location.rank == 4 or self.\n color == color.black and self.location.rank == 3)\n",
"role": "user"
},
{
"content": "on_en_passant_valid_location",
"role": "assistant"
}
] |
def x(self, opponent_pawn_location, position):
try:
pawn = position.piece_at_square(opponent_pawn_location)
return pawn is not None and isinstance(pawn, Pawn
) and pawn.color != self.color and position.piece_at_square(
opponent_pawn_location).just_moved_two_steps
except IndexError:
return False
|
is_en_passant_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, opponent_pawn_location, position):\n try:\n pawn = position.piece_at_square(opponent_pawn_location)\n return pawn is not None and isinstance(pawn, Pawn\n ) and pawn.color != self.color and position.piece_at_square(\n opponent_pawn_location).just_moved_two_steps\n except IndexError:\n return False\n",
"role": "user"
},
{
"content": "is_en_passant_valid",
"role": "assistant"
}
] |
def x(self, direction, position):
try:
if self._is_en_passant_valid(direction(self.location), position):
yield self.create_move(end_loc=self.square_in_front(direction(
self.location)), status=notation_const.EN_PASSANT)
except IndexError:
pass
|
add_one_en_passant_move
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction, position):\n try:\n if self._is_en_passant_valid(direction(self.location), position):\n yield self.create_move(end_loc=self.square_in_front(direction(\n self.location)), status=notation_const.EN_PASSANT)\n except IndexError:\n pass\n",
"role": "user"
},
{
"content": "add_one_en_passant_move",
"role": "assistant"
}
] |
def x(self, position):
if self.on_en_passant_valid_location():
for move in itertools.chain(self.add_one_en_passant_move(lambda x:
x.shift_right(), position), self.add_one_en_passant_move(lambda
x: x.shift_left(), position)):
yield move
|
en_passant_moves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position):\n if self.on_en_passant_valid_location():\n for move in itertools.chain(self.add_one_en_passant_move(lambda x:\n x.shift_right(), position), self.add_one_en_passant_move(lambda\n x: x.shift_left(), position)):\n yield move\n",
"role": "user"
},
{
"content": "en_passant_moves",
"role": "assistant"
}
] |
def x(self, position):
for move in itertools.chain(self.forward_moves(position), self.
capture_moves(position), self.en_passant_moves(position)):
yield move
|
possible_moves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position):\n for move in itertools.chain(self.forward_moves(position), self.\n capture_moves(position), self.en_passant_moves(position)):\n yield move\n",
"role": "user"
},
{
"content": "possible_moves",
"role": "assistant"
}
] |
def x():
print('Creating a new game...')
new_game = Game(Human(color.white), Human(color.black))
result = new_game.play()
print('Result is ', result)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n print('Creating a new game...')\n new_game = Game(Human(color.white), Human(color.black))\n result = new_game.play()\n print('Result is ', result)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(text=None, ssml=None, attributes=None, reprompt_text=None,
reprompt_ssml=None, end_session=True):
obj = {'version': '1.0', 'response': {'outputSpeech': {'type':
'PlainText', 'text': ''}, 'shouldEndSession': end_session},
'sessionAttributes': attributes or {}}
if text:
obj['response']['outputSpeech'] = {'type': 'PlainText', 'text': text}
elif ssml:
obj['response']['outputSpeech'] = {'type': 'SSML', 'ssml': ssml}
reprompt_output = None
if reprompt_text:
reprompt_output = {'type': 'PlainText', 'text': reprompt_text}
elif reprompt_ssml:
reprompt_output = {'type': 'SSML', 'ssml': reprompt_ssml}
if reprompt_output:
obj['response']['reprompt'] = {'outputSpeech': reprompt_output}
return obj
|
respond
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text=None, ssml=None, attributes=None, reprompt_text=None,\n reprompt_ssml=None, end_session=True):\n obj = {'version': '1.0', 'response': {'outputSpeech': {'type':\n 'PlainText', 'text': ''}, 'shouldEndSession': end_session},\n 'sessionAttributes': attributes or {}}\n if text:\n obj['response']['outputSpeech'] = {'type': 'PlainText', 'text': text}\n elif ssml:\n obj['response']['outputSpeech'] = {'type': 'SSML', 'ssml': ssml}\n reprompt_output = None\n if reprompt_text:\n reprompt_output = {'type': 'PlainText', 'text': reprompt_text}\n elif reprompt_ssml:\n reprompt_output = {'type': 'SSML', 'ssml': reprompt_ssml}\n if reprompt_output:\n obj['response']['reprompt'] = {'outputSpeech': reprompt_output}\n return obj\n",
"role": "user"
},
{
"content": "respond",
"role": "assistant"
}
] |
def x(text=None, ssml=None, attributes=None):
return respond(reprompt_text=text, reprompt_ssml=ssml, attributes=
attributes, end_session=False)
|
reprompt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text=None, ssml=None, attributes=None):\n return respond(reprompt_text=text, reprompt_ssml=ssml, attributes=\n attributes, end_session=False)\n",
"role": "user"
},
{
"content": "reprompt",
"role": "assistant"
}
] |
def x(req_body, max_diff=150):
time_str = req_body.get('request', {}).get('timestamp')
if not time_str:
log.error('timestamp not present %s', req_body)
return False
req_ts = datetime.strptime(time_str, '%Y-%m-%dT%H:%M:%SZ')
diff = (datetime.utcnow() - req_ts).total_seconds()
if abs(diff) > max_diff:
log.error('timestamp difference too high: %d sec', diff)
return False
return True
|
validate_request_timestamp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(req_body, max_diff=150):\n time_str = req_body.get('request', {}).get('timestamp')\n if not time_str:\n log.error('timestamp not present %s', req_body)\n return False\n req_ts = datetime.strptime(time_str, '%Y-%m-%dT%H:%M:%SZ')\n diff = (datetime.utcnow() - req_ts).total_seconds()\n if abs(diff) > max_diff:\n log.error('timestamp difference too high: %d sec', diff)\n return False\n return True\n",
"role": "user"
},
{
"content": "validate_request_timestamp",
"role": "assistant"
}
] |
def x(headers, data):
if 'SignatureCertChainUrl' not in headers or 'Signature' not in headers:
log.error('invalid request headers')
return False
cert_url = headers['SignatureCertChainUrl']
sig = base64.b64decode(headers['Signature'])
cert = _get_certificate(cert_url)
if not cert:
return False
try:
crypto.verify(cert, sig, data, 'sha1')
return True
except:
log.error('invalid request signature')
return False
|
validate_request_certificate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(headers, data):\n if 'SignatureCertChainUrl' not in headers or 'Signature' not in headers:\n log.error('invalid request headers')\n return False\n cert_url = headers['SignatureCertChainUrl']\n sig = base64.b64decode(headers['Signature'])\n cert = _get_certificate(cert_url)\n if not cert:\n return False\n try:\n crypto.verify(cert, sig, data, 'sha1')\n return True\n except:\n log.error('invalid request signature')\n return False\n",
"role": "user"
},
{
"content": "validate_request_certificate",
"role": "assistant"
}
] |
def x(cert_url):
global _cache
if cert_url in _cache:
cert = _cache[cert_url]
if cert.has_expired():
_cache = {}
else:
return cert
url = urlparse(cert_url)
host = url.netloc.lower()
path = posixpath.normpath(url.path)
if url.scheme != 'https' or host not in ['s3.amazonaws.com',
's3.amazonaws.com:443'] or not path.startswith('/echo.api/'):
log.error('invalid cert location %s', cert_url)
return
resp = urlopen(cert_url)
if resp.getcode() != 200:
log.error('failed to download certificate')
return
cert = crypto.load_certificate(crypto.FILETYPE_PEM, resp.read())
if cert.has_expired() or cert.get_subject().CN != 'echo-api.amazon.com':
log.error('certificate expired or invalid')
return
_cache[cert_url] = cert
return cert
|
get_certificate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cert_url):\n global _cache\n if cert_url in _cache:\n cert = _cache[cert_url]\n if cert.has_expired():\n _cache = {}\n else:\n return cert\n url = urlparse(cert_url)\n host = url.netloc.lower()\n path = posixpath.normpath(url.path)\n if url.scheme != 'https' or host not in ['s3.amazonaws.com',\n 's3.amazonaws.com:443'] or not path.startswith('/echo.api/'):\n log.error('invalid cert location %s', cert_url)\n return\n resp = urlopen(cert_url)\n if resp.getcode() != 200:\n log.error('failed to download certificate')\n return\n cert = crypto.load_certificate(crypto.FILETYPE_PEM, resp.read())\n if cert.has_expired() or cert.get_subject().CN != 'echo-api.amazon.com':\n log.error('certificate expired or invalid')\n return\n _cache[cert_url] = cert\n return cert\n",
"role": "user"
},
{
"content": "get_certificate",
"role": "assistant"
}
] |
def x(self, db_versions):
return self.number in (v.number for v in db_versions if v.date_done)
|
is_processed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, db_versions):\n return self.number in (v.number for v in db_versions if v.date_done)\n",
"role": "user"
},
{
"content": "is_processed",
"role": "assistant"
}
] |
def x(self):
has_operations = [(mode.pre_operations or mode.post_operations) for
mode in self._version_modes.values()]
has_upgrade_addons = [(mode.upgrade_addons or mode.remove_addons) for
mode in self._version_modes.values()]
noop = not any((has_upgrade_addons, has_operations))
return noop
|
is_noop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n has_operations = [(mode.pre_operations or mode.post_operations) for\n mode in self._version_modes.values()]\n has_upgrade_addons = [(mode.upgrade_addons or mode.remove_addons) for\n mode in self._version_modes.values()]\n noop = not any((has_upgrade_addons, has_operations))\n return noop\n",
"role": "user"
},
{
"content": "is_noop",
"role": "assistant"
}
] |
def x(self, mode=None):
version_mode = self._version_modes.get(mode)
if not version_mode:
version_mode = self._version_modes[mode] = VersionMode(name=mode)
return version_mode
|
get_version_mode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode=None):\n version_mode = self._version_modes.get(mode)\n if not version_mode:\n version_mode = self._version_modes[mode] = VersionMode(name=mode)\n return version_mode\n",
"role": "user"
},
{
"content": "get_version_mode",
"role": "assistant"
}
] |
def x(self, operation_type, operation, mode=None):
version_mode = self._get_version_mode(mode=mode)
if operation_type == 'pre':
version_mode.add_pre(operation)
elif operation_type == 'post':
version_mode.add_post(operation)
else:
raise ConfigurationError(
u"Type of operation must be 'pre' or 'post', got %s" % (
operation_type,))
|
add_operation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operation_type, operation, mode=None):\n version_mode = self._get_version_mode(mode=mode)\n if operation_type == 'pre':\n version_mode.add_pre(operation)\n elif operation_type == 'post':\n version_mode.add_post(operation)\n else:\n raise ConfigurationError(\n u\"Type of operation must be 'pre' or 'post', got %s\" % (\n operation_type,))\n",
"role": "user"
},
{
"content": "add_operation",
"role": "assistant"
}
] |
def x(self, backup, mode=None):
try:
if self.options.backup:
self.options.backup.ignore_if_operation().execute()
except OperationError:
self.backup = backup
|
add_backup_operation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, backup, mode=None):\n try:\n if self.options.backup:\n self.options.backup.ignore_if_operation().execute()\n except OperationError:\n self.backup = backup\n",
"role": "user"
},
{
"content": "add_backup_operation",
"role": "assistant"
}
] |
def x(self, mode=None):
version_mode = self._get_version_mode(mode=mode)
return version_mode.pre_operations
|
pre_operations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode=None):\n version_mode = self._get_version_mode(mode=mode)\n return version_mode.pre_operations\n",
"role": "user"
},
{
"content": "pre_operations",
"role": "assistant"
}
] |
def x(self, mode=None):
version_mode = self._get_version_mode(mode=mode)
return version_mode.post_operations
|
post_operations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode=None):\n version_mode = self._get_version_mode(mode=mode)\n return version_mode.post_operations\n",
"role": "user"
},
{
"content": "post_operations",
"role": "assistant"
}
] |
def x(self, addons_state, mode=None):
installed = set(a.name for a in addons_state if a.state in ('installed',
'to upgrade'))
base_mode = self._get_version_mode()
addons_list = base_mode.upgrade_addons.copy()
if mode:
add_mode = self._get_version_mode(mode=mode)
addons_list |= add_mode.upgrade_addons
to_install = addons_list - installed
to_upgrade = installed & addons_list
return UpgradeAddonsOperation(self.options, to_install, to_upgrade)
|
upgrade_addons_operation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addons_state, mode=None):\n installed = set(a.name for a in addons_state if a.state in ('installed',\n 'to upgrade'))\n base_mode = self._get_version_mode()\n addons_list = base_mode.upgrade_addons.copy()\n if mode:\n add_mode = self._get_version_mode(mode=mode)\n addons_list |= add_mode.upgrade_addons\n to_install = addons_list - installed\n to_upgrade = installed & addons_list\n return UpgradeAddonsOperation(self.options, to_install, to_upgrade)\n",
"role": "user"
},
{
"content": "upgrade_addons_operation",
"role": "assistant"
}
] |
def x(self):
return type(self)(reagents=[x.copy() for x in self.__reagents], meta=
self.__meta.copy(), products=[x.copy() for x in self.__products],
reactants=[x.copy() for x in self.__reactants])
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return type(self)(reagents=[x.copy() for x in self.__reagents], meta=\n self.__meta.copy(), products=[x.copy() for x in self.__products],\n reactants=[x.copy() for x in self.__reactants])\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self):
total = 0
for ml in (self.__reagents, self.__reactants, self.__products):
for m in ml:
if hasattr(m, 'implicify_hydrogens'):
total += m.implicify_hydrogens()
if total:
self.flush_cache()
return total
|
implicify_hydrogens
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n total = 0\n for ml in (self.__reagents, self.__reactants, self.__products):\n for m in ml:\n if hasattr(m, 'implicify_hydrogens'):\n total += m.implicify_hydrogens()\n if total:\n self.flush_cache()\n return total\n",
"role": "user"
},
{
"content": "implicify_hydrogens",
"role": "assistant"
}
] |
def x(self):
for ml in (self.__reagents, self.__reactants, self.__products):
for m in ml:
if hasattr(m, 'reset_query_marks'):
m.reset_query_marks()
self.flush_cache()
|
reset_query_marks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for ml in (self.__reagents, self.__reactants, self.__products):\n for m in ml:\n if hasattr(m, 'reset_query_marks'):\n m.reset_query_marks()\n self.flush_cache()\n",
"role": "user"
},
{
"content": "reset_query_marks",
"role": "assistant"
}
] |
def x(self):
rr = self.__reagents + self.__reactants
if rr:
if not all(isinstance(x, (MoleculeContainer, CGRContainer)) for x in rr
):
raise TypeError('Queries not composable')
r = reduce(or_, rr)
else:
r = MoleculeContainer()
if self.__products:
if not all(isinstance(x, (MoleculeContainer, CGRContainer)) for x in
self.__products):
raise TypeError('Queries not composable')
p = reduce(or_, self.__products)
else:
p = MoleculeContainer()
return r ^ p
|
compose
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rr = self.__reagents + self.__reactants\n if rr:\n if not all(isinstance(x, (MoleculeContainer, CGRContainer)) for x in rr\n ):\n raise TypeError('Queries not composable')\n r = reduce(or_, rr)\n else:\n r = MoleculeContainer()\n if self.__products:\n if not all(isinstance(x, (MoleculeContainer, CGRContainer)) for x in\n self.__products):\n raise TypeError('Queries not composable')\n p = reduce(or_, self.__products)\n else:\n p = MoleculeContainer()\n return r ^ p\n",
"role": "user"
},
{
"content": "compose",
"role": "assistant"
}
] |
def x(self, force=True):
for ml in (self.__reagents, self.__reactants, self.__products):
for m in ml:
m.calculate2d(force)
self.fix_positions()
|
calculate2d
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force=True):\n for ml in (self.__reagents, self.__reactants, self.__products):\n for m in ml:\n m.calculate2d(force)\n self.fix_positions()\n",
"role": "user"
},
{
"content": "calculate2d",
"role": "assistant"
}
] |
def x(self):
shift_x = 0
for m in self.__reactants:
max_x = self.__fix_positions(m, shift_x, 0)
shift_x = max_x + 1
arrow_min = shift_x
if self.__reagents:
for m in self.__reagents:
max_x = self.__fix_positions(m, shift_x, 1.5)
shift_x = max_x + 1
else:
shift_x += 3
arrow_max = shift_x - 1
for m in self.__products:
max_x = self.__fix_positions(m, shift_x, 0)
shift_x = max_x + 1
self._arrow = arrow_min, arrow_max
self.flush_cache()
|
fix_positions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n shift_x = 0\n for m in self.__reactants:\n max_x = self.__fix_positions(m, shift_x, 0)\n shift_x = max_x + 1\n arrow_min = shift_x\n if self.__reagents:\n for m in self.__reagents:\n max_x = self.__fix_positions(m, shift_x, 1.5)\n shift_x = max_x + 1\n else:\n shift_x += 3\n arrow_max = shift_x - 1\n for m in self.__products:\n max_x = self.__fix_positions(m, shift_x, 0)\n shift_x = max_x + 1\n self._arrow = arrow_min, arrow_max\n self.flush_cache()\n",
"role": "user"
},
{
"content": "fix_positions",
"role": "assistant"
}
] |
def x(cls, unit_key):
stack = Role.objects.filter(unit_id=unit_key).values_list('key',
flatten=True)
for unit_key in cls.objects.filter(parent_id=unit_key).values_list('key',
flatten=True):
stack.extend(cls.get_role_keys(unit_key))
return stack
|
get_role_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, unit_key):\n stack = Role.objects.filter(unit_id=unit_key).values_list('key',\n flatten=True)\n for unit_key in cls.objects.filter(parent_id=unit_key).values_list('key',\n flatten=True):\n stack.extend(cls.get_role_keys(unit_key))\n return stack\n",
"role": "user"
},
{
"content": "get_role_keys",
"role": "assistant"
}
] |
def x(self):
user_role = self.last_login_role(
) if self.last_login_role_key else self.role_set[0].role
return user_role.get_permissions()
|
get_permissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n user_role = self.last_login_role(\n ) if self.last_login_role_key else self.role_set[0].role\n return user_role.get_permissions()\n",
"role": "user"
},
{
"content": "get_permissions",
"role": "assistant"
}
] |
def x(self):
return [p.permission.code for p in self.Permissions if p.permission.code]
|
get_permissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [p.permission.code for p in self.Permissions if p.permission.code]\n",
"role": "user"
},
{
"content": "get_permissions",
"role": "assistant"
}
] |
def x(self, perm):
self.Permissions(permission=perm)
PermissionCache.flush()
self.save()
|
add_permission
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, perm):\n self.Permissions(permission=perm)\n PermissionCache.flush()\n self.save()\n",
"role": "user"
},
{
"content": "add_permission",
"role": "assistant"
}
] |
def x(self, code, save=False):
if not save:
return [('%s | %s' % (p.name, p.code)) for p in Permission.objects.
filter(code__contains=code)]
for p in Permission.objects.filter(code__contains=code):
if p not in self.Permissions:
self.Permissions(permission=p)
if p:
self.save()
|
add_permission_by_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code, save=False):\n if not save:\n return [('%s | %s' % (p.name, p.code)) for p in Permission.objects.\n filter(code__contains=code)]\n for p in Permission.objects.filter(code__contains=code):\n if p not in self.Permissions:\n self.Permissions(permission=p)\n if p:\n self.save()\n",
"role": "user"
},
{
"content": "add_permission_by_name",
"role": "assistant"
}
] |
def x(self, title, message, typ=1, url=None, sender=None):
self.user.send_notification(title=title, message=message, typ=typ, url=
url, sender=sender)
|
send_notification
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title, message, typ=1, url=None, sender=None):\n self.user.send_notification(title=title, message=message, typ=typ, url=\n url, sender=sender)\n",
"role": "user"
},
{
"content": "send_notification",
"role": "assistant"
}
] |
def x(self):
return (self._end_loc.rank == 0 and not self.color or self._end_loc.
rank == 7 and self.color)
|
would_move_be_promotion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return (self._end_loc.rank == 0 and not self.color or self._end_loc.\n rank == 7 and self.color)\n",
"role": "user"
},
{
"content": "would_move_be_promotion",
"role": "assistant"
}
] |
def x(self, receiver, sender=None, weak=True, dispatch_uid=None):
if dispatch_uid:
lookup_key = dispatch_uid, _make_id(sender)
else:
lookup_key = _make_id(receiver), _make_id(sender)
if weak:
ref = weakref.ref
receiver_object = receiver
if hasattr(receiver, '__self__') and hasattr(receiver, '__func__'):
ref = WeakMethod
receiver_object = receiver.__self__
if six.PY3:
receiver = ref(receiver)
weakref.finalize(receiver_object, self._remove_receiver)
else:
receiver = ref(receiver, self._remove_receiver)
with self.lock:
self._clear_dead_receivers()
for r_key, _ in self.receivers:
if r_key == lookup_key:
break
else:
self.receivers.append((lookup_key, receiver))
self.sender_receivers_cache.clear()
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, receiver, sender=None, weak=True, dispatch_uid=None):\n if dispatch_uid:\n lookup_key = dispatch_uid, _make_id(sender)\n else:\n lookup_key = _make_id(receiver), _make_id(sender)\n if weak:\n ref = weakref.ref\n receiver_object = receiver\n if hasattr(receiver, '__self__') and hasattr(receiver, '__func__'):\n ref = WeakMethod\n receiver_object = receiver.__self__\n if six.PY3:\n receiver = ref(receiver)\n weakref.finalize(receiver_object, self._remove_receiver)\n else:\n receiver = ref(receiver, self._remove_receiver)\n with self.lock:\n self._clear_dead_receivers()\n for r_key, _ in self.receivers:\n if r_key == lookup_key:\n break\n else:\n self.receivers.append((lookup_key, receiver))\n self.sender_receivers_cache.clear()\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, receiver=None, sender=None, dispatch_uid=None):
if dispatch_uid:
lookup_key = dispatch_uid, _make_id(sender)
else:
lookup_key = _make_id(receiver), _make_id(sender)
disconnected = False
with self.lock:
self._clear_dead_receivers()
for index in range(len(self.receivers)):
r_key, _ = self.receivers[index]
if r_key == lookup_key:
disconnected = True
del self.receivers[index]
break
self.sender_receivers_cache.clear()
return disconnected
|
disconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, receiver=None, sender=None, dispatch_uid=None):\n if dispatch_uid:\n lookup_key = dispatch_uid, _make_id(sender)\n else:\n lookup_key = _make_id(receiver), _make_id(sender)\n disconnected = False\n with self.lock:\n self._clear_dead_receivers()\n for index in range(len(self.receivers)):\n r_key, _ = self.receivers[index]\n if r_key == lookup_key:\n disconnected = True\n del self.receivers[index]\n break\n self.sender_receivers_cache.clear()\n return disconnected\n",
"role": "user"
},
{
"content": "disconnect",
"role": "assistant"
}
] |
def x(config):
webapp = WebApp(config.web_host, config.web_port,
custom_maintenance_file=config.web_custom_html)
webserver = WebServer(webapp)
webserver.daemon = True
webserver.start()
migration_parser = YamlParser.parse_from_file(config.migration_file)
migration = migration_parser.parse()
database = Database(config)
with database.connect() as lock_connection:
application_lock = ApplicationLock(lock_connection)
application_lock.start()
while not application_lock.acquired:
time.sleep(0.5)
else:
if application_lock.replica:
application_lock.stop = True
application_lock.join()
try:
table = MigrationTable(database)
runner = Runner(config, migration, database, table)
runner.perform()
finally:
application_lock.stop = True
application_lock.join()
|
migrate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n webapp = WebApp(config.web_host, config.web_port,\n custom_maintenance_file=config.web_custom_html)\n webserver = WebServer(webapp)\n webserver.daemon = True\n webserver.start()\n migration_parser = YamlParser.parse_from_file(config.migration_file)\n migration = migration_parser.parse()\n database = Database(config)\n with database.connect() as lock_connection:\n application_lock = ApplicationLock(lock_connection)\n application_lock.start()\n while not application_lock.acquired:\n time.sleep(0.5)\n else:\n if application_lock.replica:\n application_lock.stop = True\n application_lock.join()\n try:\n table = MigrationTable(database)\n runner = Runner(config, migration, database, table)\n runner.perform()\n finally:\n application_lock.stop = True\n application_lock.join()\n",
"role": "user"
},
{
"content": "migrate",
"role": "assistant"
}
] |
def x():
parser = get_args_parser()
args = parser.parse_args()
config = Config.from_parse_args(args)
migrate(config)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = get_args_parser()\n args = parser.parse_args()\n config = Config.from_parse_args(args)\n migrate(config)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(cls):
perms = []
for kls_name, kls in cls.registry.items():
for method_name in cls.__dict__.keys():
if method_name.endswith('_view'):
perms.append('%s.%s' % (kls_name, method_name))
return perms
|
get_permissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n perms = []\n for kls_name, kls in cls.registry.items():\n for method_name in cls.__dict__.keys():\n if method_name.endswith('_view'):\n perms.append('%s.%s' % (kls_name, method_name))\n return perms\n",
"role": "user"
},
{
"content": "get_permissions",
"role": "assistant"
}
] |
def x():
from pyoko.conf import settings
enabled_models = []
for entry in settings.OBJECT_MENU.values():
for mdl in entry:
if 'wf' not in mdl:
enabled_models.append(mdl['name'])
return enabled_models
|
get_object_menu_models
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from pyoko.conf import settings\n enabled_models = []\n for entry in settings.OBJECT_MENU.values():\n for mdl in entry:\n if 'wf' not in mdl:\n enabled_models.append(mdl['name'])\n return enabled_models\n",
"role": "user"
},
{
"content": "get_object_menu_models",
"role": "assistant"
}
] |
def x(cls, code_name, name='', description=''):
if code_name not in cls.registry:
cls.registry[code_name] = code_name, name or code_name, description
return code_name
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, code_name, name='', description=''):\n if code_name not in cls.registry:\n cls.registry[code_name] = code_name, name or code_name, description\n return code_name\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, other):
m = next(self._matcher(other).isomorphisms_iter(), None)
if m:
return {v: k for k, v in m.items()}
|
get_mapping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n m = next(self._matcher(other).isomorphisms_iter(), None)\n if m:\n return {v: k for k, v in m.items()}\n",
"role": "user"
},
{
"content": "get_mapping",
"role": "assistant"
}
] |
def x(self, other, limit=1):
i = self._matcher(other).subgraph_isomorphisms_iter()
if limit == 1:
m = next(i, None)
if m:
return {v: k for k, v in m.items()}
return
elif limit == 0:
return ({v: k for k, v in m.items()} for m in i)
return [{v: k for k, v in m.items()} for m in islice(i, limit)]
|
get_substructure_mapping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, limit=1):\n i = self._matcher(other).subgraph_isomorphisms_iter()\n if limit == 1:\n m = next(i, None)\n if m:\n return {v: k for k, v in m.items()}\n return\n elif limit == 0:\n return ({v: k for k, v in m.items()} for m in i)\n return [{v: k for k, v in m.items()} for m in islice(i, limit)]\n",
"role": "user"
},
{
"content": "get_substructure_mapping",
"role": "assistant"
}
] |
def x(cls, alg_str):
try:
return cls(int(alg_str[1]) - 1, ord(alg_str[0]) - 97)
except ValueError as e:
raise ValueError('Location.from_string {} invalid: {}'.format(
alg_str, e))
|
from_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, alg_str):\n try:\n return cls(int(alg_str[1]) - 1, ord(alg_str[0]) - 97)\n except ValueError as e:\n raise ValueError('Location.from_string {} invalid: {}'.format(\n alg_str, e))\n",
"role": "user"
},
{
"content": "from_string",
"role": "assistant"
}
] |
def x(self, direction):
try:
if direction == Direction.UP:
return self.shift_up()
elif direction == Direction.DOWN:
return self.shift_down()
elif direction == Direction.RIGHT:
return self.shift_right()
elif direction == Direction.LEFT:
return self.shift_left()
else:
raise IndexError('Invalid direction {}'.format(direction))
except IndexError as e:
raise IndexError(e)
|
shift
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction):\n try:\n if direction == Direction.UP:\n return self.shift_up()\n elif direction == Direction.DOWN:\n return self.shift_down()\n elif direction == Direction.RIGHT:\n return self.shift_right()\n elif direction == Direction.LEFT:\n return self.shift_left()\n else:\n raise IndexError('Invalid direction {}'.format(direction))\n except IndexError as e:\n raise IndexError(e)\n",
"role": "user"
},
{
"content": "shift",
"role": "assistant"
}
] |
def x(self, times=1):
try:
return Location(self._rank + times, self._file)
except IndexError as e:
raise IndexError(e)
|
shift_up
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, times=1):\n try:\n return Location(self._rank + times, self._file)\n except IndexError as e:\n raise IndexError(e)\n",
"role": "user"
},
{
"content": "shift_up",
"role": "assistant"
}
] |
def x(self, times=1):
try:
return Location(self._rank - times, self._file)
except IndexError as e:
raise IndexError(e)
|
shift_down
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, times=1):\n try:\n return Location(self._rank - times, self._file)\n except IndexError as e:\n raise IndexError(e)\n",
"role": "user"
},
{
"content": "shift_down",
"role": "assistant"
}
] |
def x(self, times=1):
try:
return Location(self._rank, self._file + times)
except IndexError as e:
raise IndexError(e)
|
shift_right
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, times=1):\n try:\n return Location(self._rank, self._file + times)\n except IndexError as e:\n raise IndexError(e)\n",
"role": "user"
},
{
"content": "shift_right",
"role": "assistant"
}
] |
def x(self, times=1):
try:
return Location(self._rank, self._file - times)
except IndexError as e:
raise IndexError(e)
|
shift_left
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, times=1):\n try:\n return Location(self._rank, self._file - times)\n except IndexError as e:\n raise IndexError(e)\n",
"role": "user"
},
{
"content": "shift_left",
"role": "assistant"
}
] |
def x(self, times=1):
try:
return Location(self._rank + times, self._file + times)
except IndexError as e:
raise IndexError(e)
|
shift_up_right
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, times=1):\n try:\n return Location(self._rank + times, self._file + times)\n except IndexError as e:\n raise IndexError(e)\n",
"role": "user"
},
{
"content": "shift_up_right",
"role": "assistant"
}
] |
def x(self, times=1):
try:
return Location(self._rank + times, self._file - times)
except IndexError as e:
raise IndexError(e)
|
shift_up_left
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, times=1):\n try:\n return Location(self._rank + times, self._file - times)\n except IndexError as e:\n raise IndexError(e)\n",
"role": "user"
},
{
"content": "shift_up_left",
"role": "assistant"
}
] |
def x(self, times=1):
try:
return Location(self._rank - times, self._file + times)
except IndexError as e:
raise IndexError(e)
|
shift_down_right
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, times=1):\n try:\n return Location(self._rank - times, self._file + times)\n except IndexError as e:\n raise IndexError(e)\n",
"role": "user"
},
{
"content": "shift_down_right",
"role": "assistant"
}
] |
def x(self, times=1):
try:
return Location(self._rank - times, self._file - times)
except IndexError as e:
raise IndexError(e)
|
shift_down_left
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, times=1):\n try:\n return Location(self._rank - times, self._file - times)\n except IndexError as e:\n raise IndexError(e)\n",
"role": "user"
},
{
"content": "shift_down_left",
"role": "assistant"
}
] |
def x(self):
self.reset_query_marks()
seen = set()
total = 0
for n, atom in self.atoms():
if n in seen:
continue
for k, center in central.items():
if center != atom:
continue
shell = tuple((bond, self._node[m]) for m, bond in self._adj[n]
.items())
for shell_query, shell_patch, atom_patch in query_patch[k]:
if shell_query != shell:
continue
total += 1
for attr_name, attr_value in atom_patch.items():
setattr(atom, attr_name, attr_value)
for (bond_patch, atom_patch), (bond, atom) in zip(shell_patch,
shell):
bond.update(bond_patch)
for attr_name, attr_value in atom_patch.items():
setattr(atom, attr_name, attr_value)
seen.add(n)
seen.update(self._adj[n])
break
else:
continue
break
if total:
self.flush_cache()
return total
|
standardize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.reset_query_marks()\n seen = set()\n total = 0\n for n, atom in self.atoms():\n if n in seen:\n continue\n for k, center in central.items():\n if center != atom:\n continue\n shell = tuple((bond, self._node[m]) for m, bond in self._adj[n]\n .items())\n for shell_query, shell_patch, atom_patch in query_patch[k]:\n if shell_query != shell:\n continue\n total += 1\n for attr_name, attr_value in atom_patch.items():\n setattr(atom, attr_name, attr_value)\n for (bond_patch, atom_patch), (bond, atom) in zip(shell_patch,\n shell):\n bond.update(bond_patch)\n for attr_name, attr_value in atom_patch.items():\n setattr(atom, attr_name, attr_value)\n seen.add(n)\n seen.update(self._adj[n])\n break\n else:\n continue\n break\n if total:\n self.flush_cache()\n return total\n",
"role": "user"
},
{
"content": "standardize",
"role": "assistant"
}
] |
def x():
proc = subprocess.Popen(('git', 'status', '--porcelain'), stdout=
subprocess.PIPE, stderr=subprocess.PIPE)
out, _ = proc.communicate()
staged_files = modified_re.findall(out)
return staged_files
|
get_staged_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n proc = subprocess.Popen(('git', 'status', '--porcelain'), stdout=\n subprocess.PIPE, stderr=subprocess.PIPE)\n out, _ = proc.communicate()\n staged_files = modified_re.findall(out)\n return staged_files\n",
"role": "user"
},
{
"content": "get_staged_files",
"role": "assistant"
}
] |
def x(host=None, port=None):
host = host or os.getenv('HTTP_HOST', '0.0.0.0')
port = port or os.getenv('HTTP_PORT', '9001')
zioloop = ioloop.IOLoop.instance()
pc = QueueManager(zioloop)
app.pc = pc
pc.connect()
app.listen(port, host)
zioloop.start()
|
runserver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host=None, port=None):\n host = host or os.getenv('HTTP_HOST', '0.0.0.0')\n port = port or os.getenv('HTTP_PORT', '9001')\n zioloop = ioloop.IOLoop.instance()\n pc = QueueManager(zioloop)\n app.pc = pc\n pc.connect()\n app.listen(port, host)\n zioloop.start()\n",
"role": "user"
},
{
"content": "runserver",
"role": "assistant"
}
] |
def x(self):
sess_id = self._get_sess_id()
if sess_id:
self.application.pc.websockets[self._get_sess_id()] = self
self.write_message(json.dumps({'cmd': 'status', 'status': 'open'}))
else:
self.write_message(json.dumps({'cmd': 'error', 'error':
'Please login', 'code': 401}))
|
open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sess_id = self._get_sess_id()\n if sess_id:\n self.application.pc.websockets[self._get_sess_id()] = self\n self.write_message(json.dumps({'cmd': 'status', 'status': 'open'}))\n else:\n self.write_message(json.dumps({'cmd': 'error', 'error':\n 'Please login', 'code': 401}))\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(self, message):
log.debug('WS MSG for %s: %s' % (self._get_sess_id(), message))
self.application.pc.redirect_incoming_message(self._get_sess_id(),
message, self.request)
|
on_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n log.debug('WS MSG for %s: %s' % (self._get_sess_id(), message))\n self.application.pc.redirect_incoming_message(self._get_sess_id(),\n message, self.request)\n",
"role": "user"
},
{
"content": "on_message",
"role": "assistant"
}
] |
def x(self):
origin = self.request.headers.get('Origin')
if not settings.DEBUG:
if origin in settings.ALLOWED_ORIGINS or not origin:
self.set_header('Access-Control-Allow-Origin', origin)
else:
log.debug('CORS ERROR: %s not allowed, allowed hosts: %s' % (
origin, settings.ALLOWED_ORIGINS))
raise HTTPError(403, 'Origin not in ALLOWED_ORIGINS: %s' % origin)
else:
self.set_header('Access-Control-Allow-Origin', origin or '*')
self.set_header('Access-Control-Allow-Credentials', 'true')
self.set_header('Access-Control-Allow-Headers', 'Content-Type')
self.set_header('Access-Control-Allow-Methods', 'OPTIONS')
self.set_header('Content-Type', 'application/json')
|
handle_headers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n origin = self.request.headers.get('Origin')\n if not settings.DEBUG:\n if origin in settings.ALLOWED_ORIGINS or not origin:\n self.set_header('Access-Control-Allow-Origin', origin)\n else:\n log.debug('CORS ERROR: %s not allowed, allowed hosts: %s' % (\n origin, settings.ALLOWED_ORIGINS))\n raise HTTPError(403, 'Origin not in ALLOWED_ORIGINS: %s' % origin)\n else:\n self.set_header('Access-Control-Allow-Origin', origin or '*')\n self.set_header('Access-Control-Allow-Credentials', 'true')\n self.set_header('Access-Control-Allow-Headers', 'Content-Type')\n self.set_header('Access-Control-Allow-Methods', 'OPTIONS')\n self.set_header('Content-Type', 'application/json')\n",
"role": "user"
},
{
"content": "handle_headers",
"role": "assistant"
}
] |
def x(self, view_name):
sess_id = None
input_data = {}
self._handle_headers()
input_data = json_decode(self.request.body) if self.request.body else {}
input_data['path'] = view_name
if not self.get_cookie(COOKIE_NAME) or 'username' in input_data:
sess_id = uuid4().hex
self.set_cookie(COOKIE_NAME, sess_id)
else:
sess_id = self.get_cookie(COOKIE_NAME)
input_data = {'data': input_data, '_zops_remote_ip': self.request.remote_ip
}
log.info('New Request for %s: %s' % (sess_id, input_data))
self.application.pc.register_websocket(sess_id, self)
self.application.pc.redirect_incoming_message(sess_id, json_encode(
input_data), self.request)
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, view_name):\n sess_id = None\n input_data = {}\n self._handle_headers()\n input_data = json_decode(self.request.body) if self.request.body else {}\n input_data['path'] = view_name\n if not self.get_cookie(COOKIE_NAME) or 'username' in input_data:\n sess_id = uuid4().hex\n self.set_cookie(COOKIE_NAME, sess_id)\n else:\n sess_id = self.get_cookie(COOKIE_NAME)\n input_data = {'data': input_data, '_zops_remote_ip': self.request.remote_ip\n }\n log.info('New Request for %s: %s' % (sess_id, input_data))\n self.application.pc.register_websocket(sess_id, self)\n self.application.pc.redirect_incoming_message(sess_id, json_encode(\n input_data), self.request)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(formatter):
obj = util.load_object(formatter)
if not hasattr(obj, 'ispartial'):
obj.ispartial = util.ispartial
return obj
|
load_formatter_fn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(formatter):\n obj = util.load_object(formatter)\n if not hasattr(obj, 'ispartial'):\n obj.ispartial = util.ispartial\n return obj\n",
"role": "user"
},
{
"content": "load_formatter_fn",
"role": "assistant"
}
] |
def x(self, log):
for key in log:
if key in log and key in log['data']:
log[key] = log['data'].pop(key)
return log
|
remove_redundancy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, log):\n for key in log:\n if key in log and key in log['data']:\n log[key] = log['data'].pop(key)\n return log\n",
"role": "user"
},
{
"content": "remove_redundancy",
"role": "assistant"
}
] |
def x(self, log):
keys_in_log = set(log)
keys_in_log_structure = set(self.LOG_STRUCTURE)
try:
assert keys_in_log == keys_in_log_structure
except AssertionError as e:
self.log.warning('formatted_log_structure_rejected', key_not_found=
list(keys_in_log_structure - keys_in_log), extra_keys_found=
list(keys_in_log - keys_in_log_structure), num_logs=1, type=
'metric')
return 'failed'
for key in log:
try:
assert isinstance(log[key], self.LOG_STRUCTURE[key])
except AssertionError as e:
self.log.warning('formatted_log_structure_rejected',
key_datatype_not_matched=key, datatype_expected=type(self.
LOG_STRUCTURE[key]), datatype_got=type(log[key]), num_logs=
1, type='metric')
return 'failed'
return 'passed'
|
validate_log_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, log):\n keys_in_log = set(log)\n keys_in_log_structure = set(self.LOG_STRUCTURE)\n try:\n assert keys_in_log == keys_in_log_structure\n except AssertionError as e:\n self.log.warning('formatted_log_structure_rejected', key_not_found=\n list(keys_in_log_structure - keys_in_log), extra_keys_found=\n list(keys_in_log - keys_in_log_structure), num_logs=1, type=\n 'metric')\n return 'failed'\n for key in log:\n try:\n assert isinstance(log[key], self.LOG_STRUCTURE[key])\n except AssertionError as e:\n self.log.warning('formatted_log_structure_rejected',\n key_datatype_not_matched=key, datatype_expected=type(self.\n LOG_STRUCTURE[key]), datatype_got=type(log[key]), num_logs=\n 1, type='metric')\n return 'failed'\n return 'passed'\n",
"role": "user"
},
{
"content": "validate_log_format",
"role": "assistant"
}
] |
def x(self, fpath, line, formatter):
return dict(id=None, file=fpath, host=self.HOST, formatter=formatter,
event='event', data={}, raw=line, timestamp=datetime.datetime.
utcnow().isoformat(), type='log', level='debug', error=False,
error_tb='')
|
assign_default_log_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fpath, line, formatter):\n return dict(id=None, file=fpath, host=self.HOST, formatter=formatter,\n event='event', data={}, raw=line, timestamp=datetime.datetime.\n utcnow().isoformat(), type='log', level='debug', error=False,\n error_tb='')\n",
"role": "user"
},
{
"content": "assign_default_log_values",
"role": "assistant"
}
] |
def x(self, state):
for f in self.fpaths:
fpattern, formatter = (a.split('=')[1] for a in f.split(':', 1))
self.log.debug('scan_fpatterns', fpattern=fpattern, formatter=formatter
)
fpaths = glob.glob(fpattern)
fpaths = list(set(fpaths) - set(state.files_tracked))
for fpath in fpaths:
try:
formatter_fn = self.formatters.get(formatter,
load_formatter_fn(formatter))
self.log.info('found_formatter_fn', fn=formatter)
self.formatters[formatter] = formatter_fn
except (SystemExit, KeyboardInterrupt):
raise
except (ImportError, AttributeError):
self.log.exception('formatter_fn_not_found', fn=formatter)
sys.exit(-1)
self.log.info('found_log_file', log_file=fpath)
log_f = dict(fpath=fpath, fpattern=fpattern, formatter=
formatter, formatter_fn=formatter_fn)
log_key = fpath, fpattern, formatter
if log_key not in self.log_reader_threads:
self.log.info('starting_collect_log_lines_thread', log_key=
log_key)
log_reader_thread = util.start_daemon_thread(self.
collect_log_lines, (log_f,))
self.log_reader_threads[log_key] = log_reader_thread
state.files_tracked.append(fpath)
time.sleep(self.SCAN_FPATTERNS_INTERVAL)
|
scan_fpatterns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n for f in self.fpaths:\n fpattern, formatter = (a.split('=')[1] for a in f.split(':', 1))\n self.log.debug('scan_fpatterns', fpattern=fpattern, formatter=formatter\n )\n fpaths = glob.glob(fpattern)\n fpaths = list(set(fpaths) - set(state.files_tracked))\n for fpath in fpaths:\n try:\n formatter_fn = self.formatters.get(formatter,\n load_formatter_fn(formatter))\n self.log.info('found_formatter_fn', fn=formatter)\n self.formatters[formatter] = formatter_fn\n except (SystemExit, KeyboardInterrupt):\n raise\n except (ImportError, AttributeError):\n self.log.exception('formatter_fn_not_found', fn=formatter)\n sys.exit(-1)\n self.log.info('found_log_file', log_file=fpath)\n log_f = dict(fpath=fpath, fpattern=fpattern, formatter=\n formatter, formatter_fn=formatter_fn)\n log_key = fpath, fpattern, formatter\n if log_key not in self.log_reader_threads:\n self.log.info('starting_collect_log_lines_thread', log_key=\n log_key)\n log_reader_thread = util.start_daemon_thread(self.\n collect_log_lines, (log_f,))\n self.log_reader_threads[log_key] = log_reader_thread\n state.files_tracked.append(fpath)\n time.sleep(self.SCAN_FPATTERNS_INTERVAL)\n",
"role": "user"
},
{
"content": "scan_fpatterns",
"role": "assistant"
}
] |
def x(self, **kw):
links = [a for a in dir(self) if isinstance(getattr(self, a), Model) and
not a.startswith('_model')]
return [{'field': l, 'mdl': getattr(self, l).__class__} for l in links]
|
get_links
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kw):\n links = [a for a in dir(self) if isinstance(getattr(self, a), Model) and\n not a.startswith('_model')]\n return [{'field': l, 'mdl': getattr(self, l).__class__} for l in links]\n",
"role": "user"
},
{
"content": "get_links",
"role": "assistant"
}
] |
def x(self, data):
for name in self._fields:
setattr(self, name, data.get(name))
return self
|
set_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n for name in self._fields:\n setattr(self, name, data.get(name))\n return self\n",
"role": "user"
},
{
"content": "set_data",
"role": "assistant"
}
] |
def x(self):
result = {'schema': {'title': self.title, 'type': 'object',
'properties': {}, 'required': []}, 'form': [{'type': 'help',
'helpvalue': self.help_text}], 'model': {}}
for itm in self.META_TO_FORM_ROOT:
if itm in self.Meta.__dict__:
result[itm] = self.Meta.__dict__[itm]
if self._model.is_in_db():
result['model']['object_key'] = self._model.key
result['model']['model_type'] = self._model.__class__.__name__
result['model']['unicode'] = six.text_type(self._model)
form_data = None
if not self.Meta.always_blank:
form_data = self.context.task_data.get(self.__class__.__name__, None)
for itm in self._serialize():
item_props = {'type': itm['type'], 'title': itm['title']}
if not itm.get('value') and 'kwargs' in itm and 'value' in itm['kwargs'
]:
itm['value'] = itm['kwargs'].pop('value')
if 'kwargs' in itm and 'widget' in itm['kwargs']:
item_props['widget'] = itm['kwargs'].pop('widget')
if form_data:
if form_data[itm['name']] and (itm['type'] == 'date' or itm[
'type'] == 'datetime'):
value_to_serialize = datetime.strptime(form_data[itm['name'
]], itm['format'])
else:
value_to_serialize = form_data[itm['name']]
value = self._serialize_value(value_to_serialize)
if itm['type'] == 'button':
value = None
elif itm['value'] is not None:
value = itm['value']
else:
value = itm['default']
result['model'][itm['name']] = value
if itm['type'] == 'model':
item_props['model_name'] = itm['model_name']
if itm['type'] not in ['ListNode', 'model', 'Node']:
if 'hidden' in itm['kwargs']:
continue
else:
item_props.update(itm['kwargs'])
if itm.get('choices'):
self._handle_choices(itm, item_props, result)
else:
result['form'].append(itm['name'])
if 'help_text' in itm:
item_props['help_text'] = itm['help_text']
if 'schema' in itm:
item_props['schema'] = itm['schema']
if item_props['type'] == 'model':
if self.context:
if self.context.has_permission('%s.select_list' %
item_props['model_name']):
item_props.update({'list_cmd': 'select_list', 'wf': 'crud'}
)
if self.context.has_permission('%s.add_edit_form' %
item_props['model_name']):
item_props.update({'add_cmd': 'add_edit_form', 'wf':
'crud'})
else:
item_props.update({'list_cmd': 'select_list', 'add_cmd':
'add_edit_form', 'wf': 'crud'})
result['schema']['properties'][itm['name']] = item_props
if itm['required']:
result['schema']['required'].append(itm['name'])
self._cache_form_details(result)
return result
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = {'schema': {'title': self.title, 'type': 'object',\n 'properties': {}, 'required': []}, 'form': [{'type': 'help',\n 'helpvalue': self.help_text}], 'model': {}}\n for itm in self.META_TO_FORM_ROOT:\n if itm in self.Meta.__dict__:\n result[itm] = self.Meta.__dict__[itm]\n if self._model.is_in_db():\n result['model']['object_key'] = self._model.key\n result['model']['model_type'] = self._model.__class__.__name__\n result['model']['unicode'] = six.text_type(self._model)\n form_data = None\n if not self.Meta.always_blank:\n form_data = self.context.task_data.get(self.__class__.__name__, None)\n for itm in self._serialize():\n item_props = {'type': itm['type'], 'title': itm['title']}\n if not itm.get('value') and 'kwargs' in itm and 'value' in itm['kwargs'\n ]:\n itm['value'] = itm['kwargs'].pop('value')\n if 'kwargs' in itm and 'widget' in itm['kwargs']:\n item_props['widget'] = itm['kwargs'].pop('widget')\n if form_data:\n if form_data[itm['name']] and (itm['type'] == 'date' or itm[\n 'type'] == 'datetime'):\n value_to_serialize = datetime.strptime(form_data[itm['name'\n ]], itm['format'])\n else:\n value_to_serialize = form_data[itm['name']]\n value = self._serialize_value(value_to_serialize)\n if itm['type'] == 'button':\n value = None\n elif itm['value'] is not None:\n value = itm['value']\n else:\n value = itm['default']\n result['model'][itm['name']] = value\n if itm['type'] == 'model':\n item_props['model_name'] = itm['model_name']\n if itm['type'] not in ['ListNode', 'model', 'Node']:\n if 'hidden' in itm['kwargs']:\n continue\n else:\n item_props.update(itm['kwargs'])\n if itm.get('choices'):\n self._handle_choices(itm, item_props, result)\n else:\n result['form'].append(itm['name'])\n if 'help_text' in itm:\n item_props['help_text'] = itm['help_text']\n if 'schema' in itm:\n item_props['schema'] = itm['schema']\n if item_props['type'] == 'model':\n if self.context:\n if self.context.has_permission('%s.select_list' %\n item_props['model_name']):\n item_props.update({'list_cmd': 'select_list', 'wf': 'crud'}\n )\n if self.context.has_permission('%s.add_edit_form' %\n item_props['model_name']):\n item_props.update({'add_cmd': 'add_edit_form', 'wf':\n 'crud'})\n else:\n item_props.update({'list_cmd': 'select_list', 'add_cmd':\n 'add_edit_form', 'wf': 'crud'})\n result['schema']['properties'][itm['name']] = item_props\n if itm['required']:\n result['schema']['required'].append(itm['name'])\n self._cache_form_details(result)\n return result\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, form):
cache = FormCache()
form['model']['form_key'] = cache.form_id
form['model']['form_name'] = self.__class__.__name__
cache.set({'model': list(form['model'].keys()), 'non_data_fields': self
.non_data_fields})
|
cache_form_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form):\n cache = FormCache()\n form['model']['form_key'] = cache.form_id\n form['model']['form_name'] = self.__class__.__name__\n cache.set({'model': list(form['model'].keys()), 'non_data_fields': self\n .non_data_fields})\n",
"role": "user"
},
{
"content": "cache_form_details",
"role": "assistant"
}
] |
def x(self, msgs):
msgs_list = []
for msg in msgs:
try:
msg['_id'] = msg.pop('id')
except KeyError:
self.log.exception('collector_failure_id_not_found', log=msg)
msgs_list.append(msg)
return msgs_list
|
parse_msg_for_mongodb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msgs):\n msgs_list = []\n for msg in msgs:\n try:\n msg['_id'] = msg.pop('id')\n except KeyError:\n self.log.exception('collector_failure_id_not_found', log=msg)\n msgs_list.append(msg)\n return msgs_list\n",
"role": "user"
},
{
"content": "parse_msg_for_mongodb",
"role": "assistant"
}
] |
def x(self, event):
data = event.pop('data')
data = flatten_dict({'data': data})
t = dict((k, event[k]) for k in event if k not in self.EXCLUDE_TAGS)
f = dict()
for k in data:
v = data[k]
if is_number(v) or isinstance(v, MarkValue):
f[k] = v
else:
t[k] = v
return t, f
|
tag_and_field_maker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n data = event.pop('data')\n data = flatten_dict({'data': data})\n t = dict((k, event[k]) for k in event if k not in self.EXCLUDE_TAGS)\n f = dict()\n for k in data:\n v = data[k]\n if is_number(v) or isinstance(v, MarkValue):\n f[k] = v\n else:\n t[k] = v\n return t, f\n",
"role": "user"
},
{
"content": "tag_and_field_maker",
"role": "assistant"
}
] |
def x(self, msgs):
series = []
for msg in msgs:
if msg.get('error'):
continue
if msg.get('type').lower() == 'metric':
time = msg.get('timestamp')
measurement = msg.get('event')
tags, fields = self._tag_and_field_maker(msg)
pointvalues = {'time': time, 'measurement': measurement,
'fields': fields, 'tags': tags}
series.append(pointvalues)
return series
|
parse_msg_for_influxdb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msgs):\n series = []\n for msg in msgs:\n if msg.get('error'):\n continue\n if msg.get('type').lower() == 'metric':\n time = msg.get('timestamp')\n measurement = msg.get('event')\n tags, fields = self._tag_and_field_maker(msg)\n pointvalues = {'time': time, 'measurement': measurement,\n 'fields': fields, 'tags': tags}\n series.append(pointvalues)\n return series\n",
"role": "user"
},
{
"content": "parse_msg_for_influxdb",
"role": "assistant"
}
] |
def x(source, files, threads=4, readtype='1D', combine='simple', names=None,
barcoded=False):
proc_functions = {'fastq': ex.process_fastq_plain, 'fasta': ex.
process_fasta, 'bam': ex.process_bam, 'summary': ex.process_summary,
'fastq_rich': ex.process_fastq_rich, 'fastq_minimal': ex.
process_fastq_minimal, 'cram': ex.process_cram, 'ubam': ex.process_ubam
}
filethreads = min(len(files), threads)
threadsleft = threads - filethreads
with cfutures.ProcessPoolExecutor(max_workers=filethreads) as executor:
extration_function = partial(proc_functions[source], threads=
threadsleft, readtype=readtype, barcoded=barcoded)
datadf = combine_dfs(dfs=[out for out in executor.map(
extration_function, files)], names=names or files, method=combine)
if 'readIDs' in datadf and pd.isna(datadf['readIDs']).any():
datadf.drop('readIDs', axis='columns', inplace=True)
datadf = calculate_start_time(datadf)
logging.info('Nanoget: Gathered all metrics of {} reads'.format(len(
datadf)))
if len(datadf) == 0:
logging.critical('Nanoget: no reads retrieved.'.format(len(datadf)))
sys.exit('Fatal: No reads found in input.')
else:
return datadf
|
get_input
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, files, threads=4, readtype='1D', combine='simple', names=None,\n barcoded=False):\n proc_functions = {'fastq': ex.process_fastq_plain, 'fasta': ex.\n process_fasta, 'bam': ex.process_bam, 'summary': ex.process_summary,\n 'fastq_rich': ex.process_fastq_rich, 'fastq_minimal': ex.\n process_fastq_minimal, 'cram': ex.process_cram, 'ubam': ex.process_ubam\n }\n filethreads = min(len(files), threads)\n threadsleft = threads - filethreads\n with cfutures.ProcessPoolExecutor(max_workers=filethreads) as executor:\n extration_function = partial(proc_functions[source], threads=\n threadsleft, readtype=readtype, barcoded=barcoded)\n datadf = combine_dfs(dfs=[out for out in executor.map(\n extration_function, files)], names=names or files, method=combine)\n if 'readIDs' in datadf and pd.isna(datadf['readIDs']).any():\n datadf.drop('readIDs', axis='columns', inplace=True)\n datadf = calculate_start_time(datadf)\n logging.info('Nanoget: Gathered all metrics of {} reads'.format(len(\n datadf)))\n if len(datadf) == 0:\n logging.critical('Nanoget: no reads retrieved.'.format(len(datadf)))\n sys.exit('Fatal: No reads found in input.')\n else:\n return datadf\n",
"role": "user"
},
{
"content": "get_input",
"role": "assistant"
}
] |
def x(dfs, names, method):
if method == 'track':
res = list()
for df, identifier in zip(dfs, names):
df['dataset'] = identifier
res.append(df)
return pd.concat(res, ignore_index=True)
elif method == 'simple':
return pd.concat(dfs, ignore_index=True)
|
combine_dfs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dfs, names, method):\n if method == 'track':\n res = list()\n for df, identifier in zip(dfs, names):\n df['dataset'] = identifier\n res.append(df)\n return pd.concat(res, ignore_index=True)\n elif method == 'simple':\n return pd.concat(dfs, ignore_index=True)\n",
"role": "user"
},
{
"content": "combine_dfs",
"role": "assistant"
}
] |
def x(df):
if 'time' in df:
df['time_arr'] = pd.Series(df['time'], dtype='datetime64[s]')
elif 'timestamp' in df:
df['time_arr'] = pd.Series(df['timestamp'], dtype='datetime64[ns]')
else:
return df
if 'dataset' in df:
for dset in df['dataset'].unique():
time_zero = df.loc[df['dataset'] == dset, 'time_arr'].min()
df.loc[df['dataset'] == dset, 'start_time'] = df.loc[df[
'dataset'] == dset, 'time_arr'] - time_zero
else:
df['start_time'] = df['time_arr'] - df['time_arr'].min()
return df.drop(['time', 'timestamp', 'time_arr'], axis=1, errors='ignore')
|
calculate_start_time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df):\n if 'time' in df:\n df['time_arr'] = pd.Series(df['time'], dtype='datetime64[s]')\n elif 'timestamp' in df:\n df['time_arr'] = pd.Series(df['timestamp'], dtype='datetime64[ns]')\n else:\n return df\n if 'dataset' in df:\n for dset in df['dataset'].unique():\n time_zero = df.loc[df['dataset'] == dset, 'time_arr'].min()\n df.loc[df['dataset'] == dset, 'start_time'] = df.loc[df[\n 'dataset'] == dset, 'time_arr'] - time_zero\n else:\n df['start_time'] = df['time_arr'] - df['time_arr'].min()\n return df.drop(['time', 'timestamp', 'time_arr'], axis=1, errors='ignore')\n",
"role": "user"
},
{
"content": "calculate_start_time",
"role": "assistant"
}
] |
def x(cls, fp):
yaml = YAML(typ='safe')
return cls(yaml.load(fp))
|
parser_from_buffer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, fp):\n yaml = YAML(typ='safe')\n return cls(yaml.load(fp))\n",
"role": "user"
},
{
"content": "parser_from_buffer",
"role": "assistant"
}
] |
def x(self, expected_keys, current, dict_name):
if not isinstance(current, dict):
raise ParseError(u"'{}' key must be a dict".format(dict_name),
YAML_EXAMPLE)
expected_keys = set(expected_keys)
current_keys = {key for key in current}
extra_keys = current_keys - expected_keys
if extra_keys:
message = u'{}: the keys {} are unexpected. (allowed keys: {})'
raise ParseError(message.format(dict_name, list(extra_keys), list(
expected_keys)), YAML_EXAMPLE)
|
check_dict_expected_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expected_keys, current, dict_name):\n if not isinstance(current, dict):\n raise ParseError(u\"'{}' key must be a dict\".format(dict_name),\n YAML_EXAMPLE)\n expected_keys = set(expected_keys)\n current_keys = {key for key in current}\n extra_keys = current_keys - expected_keys\n if extra_keys:\n message = u'{}: the keys {} are unexpected. (allowed keys: {})'\n raise ParseError(message.format(dict_name, list(extra_keys), list(\n expected_keys)), YAML_EXAMPLE)\n",
"role": "user"
},
{
"content": "check_dict_expected_keys",
"role": "assistant"
}
] |
def x(self):
if not self.parsed.get('migration'):
raise ParseError(u"'migration' key is missing", YAML_EXAMPLE)
self.check_dict_expected_keys({'options', 'versions'}, self.parsed[
'migration'], 'migration')
return self._parse_migrations()
|
parse
|
[
{
"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.parsed.get('migration'):\n raise ParseError(u\"'migration' key is missing\", YAML_EXAMPLE)\n self.check_dict_expected_keys({'options', 'versions'}, self.parsed[\n 'migration'], 'migration')\n return self._parse_migrations()\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
migration = self.parsed['migration']
options = self._parse_options(migration)
versions = self._parse_versions(migration, options)
return Migration(versions, options)
|
parse_migrations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n migration = self.parsed['migration']\n options = self._parse_options(migration)\n versions = self._parse_versions(migration, options)\n return Migration(versions, options)\n",
"role": "user"
},
{
"content": "parse_migrations",
"role": "assistant"
}
] |
def x(self, migration):
options = migration.get('options', {})
install_command = options.get('install_command')
backup = options.get('backup')
if backup:
self.check_dict_expected_keys({'command', 'ignore_if',
'stop_on_failure'}, options['backup'], 'backup')
backup = MigrationBackupOption(command=backup.get('command'),
ignore_if=backup.get('ignore_if'), stop_on_failure=backup.get(
'stop_on_failure', True))
return MigrationOption(install_command=install_command, backup=backup)
|
parse_options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, migration):\n options = migration.get('options', {})\n install_command = options.get('install_command')\n backup = options.get('backup')\n if backup:\n self.check_dict_expected_keys({'command', 'ignore_if',\n 'stop_on_failure'}, options['backup'], 'backup')\n backup = MigrationBackupOption(command=backup.get('command'),\n ignore_if=backup.get('ignore_if'), stop_on_failure=backup.get(\n 'stop_on_failure', True))\n return MigrationOption(install_command=install_command, backup=backup)\n",
"role": "user"
},
{
"content": "parse_options",
"role": "assistant"
}
] |
def x(self, title, msg, typ, url=None):
return self.user.send_notification(title=title, message=msg, typ=typ,
url=url)
|
set_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title, msg, typ, url=None):\n return self.user.send_notification(title=title, message=msg, typ=typ,\n url=url)\n",
"role": "user"
},
{
"content": "set_message",
"role": "assistant"
}
] |
def x(self):
if self.user_id is None:
self.user_id = self.session.get('user_id')
return bool(self.user_id)
|
is_auth
|
[
{
"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.user_id is None:\n self.user_id = self.session.get('user_id')\n return bool(self.user_id)\n",
"role": "user"
},
{
"content": "is_auth",
"role": "assistant"
}
] |
def x(self, perm):
return self.user.superuser or self.auth.has_permission(perm)
|
has_permission
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, perm):\n return self.user.superuser or self.auth.has_permission(perm)\n",
"role": "user"
},
{
"content": "has_permission",
"role": "assistant"
}
] |
def x(self, msg, title=None, typ='info'):
self.output['msgbox'] = {'type': typ, 'title': title or msg[:20], 'msg':
msg}
|
msg_box
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, title=None, typ='info'):\n self.output['msgbox'] = {'type': typ, 'title': title or msg[:20], 'msg':\n msg}\n",
"role": "user"
},
{
"content": "msg_box",
"role": "assistant"
}
] |
def x(self):
msgs = self.task_data.get('LANE_CHANGE_MSG', DEFAULT_LANE_CHANGE_MSG)
self.msg_box(title=msgs['title'], msg=msgs['body'])
|
sendoff_current_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n msgs = self.task_data.get('LANE_CHANGE_MSG', DEFAULT_LANE_CHANGE_MSG)\n self.msg_box(title=msgs['title'], msg=msgs['body'])\n",
"role": "user"
},
{
"content": "sendoff_current_user",
"role": "assistant"
}
] |
def x(self, possible_owners):
signals.lane_user_change.send(sender=self.user, current=self, old_lane=
self.old_lane, possible_owners=possible_owners)
|
invite_other_parties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, possible_owners):\n signals.lane_user_change.send(sender=self.user, current=self, old_lane=\n self.old_lane, possible_owners=possible_owners)\n",
"role": "user"
},
{
"content": "invite_other_parties",
"role": "assistant"
}
] |
def x(self, task):
self.task = task
self.task.data.update(self.task_data)
self.task_type = task.task_spec.__class__.__name__
self.spec = task.task_spec
self.task_name = task.get_name()
self.activity = getattr(self.spec, 'service_class', '')
self._set_lane_data()
|
update_task
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task):\n self.task = task\n self.task.data.update(self.task_data)\n self.task_type = task.task_spec.__class__.__name__\n self.spec = task.task_spec\n self.task_name = task.get_name()\n self.activity = getattr(self.spec, 'service_class', '')\n self._set_lane_data()\n",
"role": "user"
},
{
"content": "update_task",
"role": "assistant"
}
] |
def x(self):
self.task_data['cmd'] = self.input.get('cmd')
self.task_data['flow'] = self.input.get('flow')
filters = self.input.get('filters', {})
try:
if isinstance(filters, dict):
self.task_data['object_id'] = filters.get('object_id')['values'][0]
elif filters[0]['field'] == 'object_id':
self.task_data['object_id'] = filters[0]['values'][0]
except:
if 'object_id' in self.input:
self.task_data['object_id'] = self.input.get('object_id')
|
set_client_cmds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.task_data['cmd'] = self.input.get('cmd')\n self.task_data['flow'] = self.input.get('flow')\n filters = self.input.get('filters', {})\n try:\n if isinstance(filters, dict):\n self.task_data['object_id'] = filters.get('object_id')['values'][0]\n elif filters[0]['field'] == 'object_id':\n self.task_data['object_id'] = filters[0]['values'][0]\n except:\n if 'object_id' in self.input:\n self.task_data['object_id'] = self.input.get('object_id')\n",
"role": "user"
},
{
"content": "set_client_cmds",
"role": "assistant"
}
] |
def x(self, position):
while True:
print(position)
raw = input(str(self.color) + "'s move \n")
move = converter.short_alg(raw, self.color, position)
if move is None:
continue
return move
|
generate_move
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position):\n while True:\n print(position)\n raw = input(str(self.color) + \"'s move \\n\")\n move = converter.short_alg(raw, self.color, position)\n if move is None:\n continue\n return move\n",
"role": "user"
},
{
"content": "generate_move",
"role": "assistant"
}
] |
def x(self, pos, move):
test = cp(pos)
test.update(move)
test_king = test.get_king(move.color)
return self.loc_adjacent_to_opponent_king(test_king.location, test)
|
in_check_as_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos, move):\n test = cp(pos)\n test.update(move)\n test_king = test.get_king(move.color)\n return self.loc_adjacent_to_opponent_king(test_king.location, test)\n",
"role": "user"
},
{
"content": "in_check_as_result",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.