source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, location, position):
for fn in self.cardinal_directions:
try:
if isinstance(position.piece_at_square(fn(location)), King
) and position.piece_at_square(fn(location)
).color != self.color:
return True
except IndexError:
pass
return False
|
loc_adjacent_to_opponent_king
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location, position):\n for fn in self.cardinal_directions:\n try:\n if isinstance(position.piece_at_square(fn(location)), King\n ) and position.piece_at_square(fn(location)\n ).color != self.color:\n return True\n except IndexError:\n pass\n return False\n",
"role": "user"
},
{
"content": "loc_adjacent_to_opponent_king",
"role": "assistant"
}
] |
def x(self, func, position):
try:
if self.loc_adjacent_to_opponent_king(func(self.location), position):
return
except IndexError:
return
if position.is_square_empty(func(self.location)):
yield self.create_move(func(self.location), notation_const.MOVEMENT)
elif position.piece_at_square(func(self.location)).color != self.color:
yield self.create_move(func(self.location), notation_const.CAPTURE)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, position):\n try:\n if self.loc_adjacent_to_opponent_king(func(self.location), position):\n return\n except IndexError:\n return\n if position.is_square_empty(func(self.location)):\n yield self.create_move(func(self.location), notation_const.MOVEMENT)\n elif position.piece_at_square(func(self.location)).color != self.color:\n yield self.create_move(func(self.location), notation_const.CAPTURE)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, rook):
return rook is not None and type(rook
) is Rook and rook.color == self.color and not rook.has_moved
|
rook_legal_for_castle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rook):\n return rook is not None and type(rook\n ) is Rook and rook.color == self.color and not rook.has_moved\n",
"role": "user"
},
{
"content": "rook_legal_for_castle",
"role": "assistant"
}
] |
def x(self, position, direction):
def x(square):
return position.is_square_empty(square) and not self.in_check(position,
square)
return valid_square(direction(self.location, 1)) and valid_square(direction
(self.location, 2))
|
empty_not_in_check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position, direction):\n\n def x(square):\n return position.is_square_empty(square) and not self.in_check(position,\n square)\n return valid_square(direction(self.location, 1)) and valid_square(direction\n (self.location, 2))\n",
"role": "user"
},
{
"content": "empty_not_in_check",
"role": "assistant"
}
] |
def x(self, position):
if self.has_moved or self.in_check(position):
return
if self.color == color.white:
rook_rank = 0
else:
rook_rank = 7
castle_type = {notation_const.KING_SIDE_CASTLE: {'rook_file': 7,
'direction': lambda king_square, times: king_square.shift_right(
times)}, notation_const.QUEEN_SIDE_CASTLE: {'rook_file': 0,
'direction': lambda king_square, times: king_square.shift_left(times)}}
for castle_key in castle_type:
castle_dict = castle_type[castle_key]
castle_rook = position.piece_at_square(Location(rook_rank,
castle_dict['rook_file']))
if self._rook_legal_for_castle(castle_rook
) and self._empty_not_in_check(position, castle_dict['direction']):
yield self.create_move(castle_dict['direction'](self.location,
2), castle_key)
|
add_castle
|
[
{
"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.has_moved or self.in_check(position):\n return\n if self.color == color.white:\n rook_rank = 0\n else:\n rook_rank = 7\n castle_type = {notation_const.KING_SIDE_CASTLE: {'rook_file': 7,\n 'direction': lambda king_square, times: king_square.shift_right(\n times)}, notation_const.QUEEN_SIDE_CASTLE: {'rook_file': 0,\n 'direction': lambda king_square, times: king_square.shift_left(times)}}\n for castle_key in castle_type:\n castle_dict = castle_type[castle_key]\n castle_rook = position.piece_at_square(Location(rook_rank,\n castle_dict['rook_file']))\n if self._rook_legal_for_castle(castle_rook\n ) and self._empty_not_in_check(position, castle_dict['direction']):\n yield self.create_move(castle_dict['direction'](self.location, \n 2), castle_key)\n",
"role": "user"
},
{
"content": "add_castle",
"role": "assistant"
}
] |
def x(self, position):
for move in itertools.chain(*[self.add(fn, position) for fn in self.
cardinal_directions]):
yield move
for move in self.add_castle(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.add(fn, position) for fn in self.\n cardinal_directions]):\n yield move\n for move in self.add_castle(position):\n yield move\n",
"role": "user"
},
{
"content": "possible_moves",
"role": "assistant"
}
] |
def x(self, position, location=None):
location = location or self.location
for piece in position:
if piece is not None and piece.color != self.color:
if not isinstance(piece, King):
for move in piece.possible_moves(position):
if move.end_loc == location:
return True
elif self.loc_adjacent_to_opponent_king(piece.location, position):
return True
return False
|
in_check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position, location=None):\n location = location or self.location\n for piece in position:\n if piece is not None and piece.color != self.color:\n if not isinstance(piece, King):\n for move in piece.possible_moves(position):\n if move.end_loc == location:\n return True\n elif self.loc_adjacent_to_opponent_king(piece.location, position):\n return True\n return False\n",
"role": "user"
},
{
"content": "in_check",
"role": "assistant"
}
] |
def x(sock, idle=10, interval=5, fails=5):
import sys
sock.setsockopt(socket.SOL_SOCKET, socket.SO_KEEPALIVE, 1)
if sys.platform in ('linux', 'linux2'):
sock.setsockopt(socket.IPPROTO_TCP, socket.TCP_KEEPIDLE, idle)
sock.setsockopt(socket.IPPROTO_TCP, socket.TCP_KEEPINTVL, interval)
sock.setsockopt(socket.IPPROTO_TCP, socket.TCP_KEEPCNT, fails)
elif sys.platform == 'darwin':
sock.setsockopt(socket.IPPROTO_TCP, 16, interval)
else:
pass
|
set_keep_alive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sock, idle=10, interval=5, fails=5):\n import sys\n sock.setsockopt(socket.SOL_SOCKET, socket.SO_KEEPALIVE, 1)\n if sys.platform in ('linux', 'linux2'):\n sock.setsockopt(socket.IPPROTO_TCP, socket.TCP_KEEPIDLE, idle)\n sock.setsockopt(socket.IPPROTO_TCP, socket.TCP_KEEPINTVL, interval)\n sock.setsockopt(socket.IPPROTO_TCP, socket.TCP_KEEPCNT, fails)\n elif sys.platform == 'darwin':\n sock.setsockopt(socket.IPPROTO_TCP, 16, interval)\n else:\n pass\n",
"role": "user"
},
{
"content": "set_keep_alive",
"role": "assistant"
}
] |
def x(cls):
return cls([[Rook(white, Location(0, 0)), Knight(white, Location(0, 1)),
Bishop(white, Location(0, 2)), Queen(white, Location(0, 3)), King(
white, Location(0, 4)), Bishop(white, Location(0, 5)), Knight(white,
Location(0, 6)), Rook(white, Location(0, 7))], [Pawn(white,
Location(1, file)) for file in range(8)], [None for _ in range(8)],
[None for _ in range(8)], [None for _ in range(8)], [None for _ in
range(8)], [Pawn(black, Location(6, file)) for file in range(8)], [
Rook(black, Location(7, 0)), Knight(black, Location(7, 1)), Bishop(
black, Location(7, 2)), Queen(black, Location(7, 3)), King(black,
Location(7, 4)), Bishop(black, Location(7, 5)), Knight(black,
Location(7, 6)), Rook(black, Location(7, 7))]])
|
init_default
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n return cls([[Rook(white, Location(0, 0)), Knight(white, Location(0, 1)),\n Bishop(white, Location(0, 2)), Queen(white, Location(0, 3)), King(\n white, Location(0, 4)), Bishop(white, Location(0, 5)), Knight(white,\n Location(0, 6)), Rook(white, Location(0, 7))], [Pawn(white,\n Location(1, file)) for file in range(8)], [None for _ in range(8)],\n [None for _ in range(8)], [None for _ in range(8)], [None for _ in\n range(8)], [Pawn(black, Location(6, file)) for file in range(8)], [\n Rook(black, Location(7, 0)), Knight(black, Location(7, 1)), Bishop(\n black, Location(7, 2)), Queen(black, Location(7, 3)), King(black,\n Location(7, 4)), Bishop(black, Location(7, 5)), Knight(black,\n Location(7, 6)), Rook(black, Location(7, 7))]])\n",
"role": "user"
},
{
"content": "init_default",
"role": "assistant"
}
] |
def x(self, input_color, val_scheme):
if self.get_king(input_color).in_check(self) and self.no_moves(input_color
):
return -100
if self.get_king(-input_color).in_check(self) and self.no_moves(-
input_color):
return 100
return sum([val_scheme.val(piece, input_color) for piece in self])
|
material_advantage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_color, val_scheme):\n if self.get_king(input_color).in_check(self) and self.no_moves(input_color\n ):\n return -100\n if self.get_king(-input_color).in_check(self) and self.no_moves(-\n input_color):\n return 100\n return sum([val_scheme.val(piece, input_color) for piece in self])\n",
"role": "user"
},
{
"content": "material_advantage",
"role": "assistant"
}
] |
def x(self, move, val_scheme):
test_board = cp(self)
test_board.update(move)
return test_board.material_advantage(move.color, val_scheme)
|
advantage_as_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move, val_scheme):\n test_board = cp(self)\n test_board.update(move)\n return test_board.material_advantage(move.color, val_scheme)\n",
"role": "user"
},
{
"content": "advantage_as_result",
"role": "assistant"
}
] |
def x(self, input_color):
position_tuple = self.position_tuple
if position_tuple not in self.possible_moves:
self.possible_moves[position_tuple] = tuple(self.
_calc_all_possible_moves(input_color))
return self.possible_moves[position_tuple]
|
all_possible_moves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_color):\n position_tuple = self.position_tuple\n if position_tuple not in self.possible_moves:\n self.possible_moves[position_tuple] = tuple(self.\n _calc_all_possible_moves(input_color))\n return self.possible_moves[position_tuple]\n",
"role": "user"
},
{
"content": "all_possible_moves",
"role": "assistant"
}
] |
def x(self, input_color):
for piece in self:
if piece is not None and piece.color == input_color:
for move in piece.possible_moves(self):
test = cp(self)
test_move = Move(end_loc=move.end_loc, piece=test.
piece_at_square(move.start_loc), status=move.status,
start_loc=move.start_loc, promoted_to_piece=move.
promoted_to_piece)
test.update(test_move)
if self.king_loc_dict is None:
yield move
continue
my_king = test.piece_at_square(self.king_loc_dict[input_color])
if my_king is None or not isinstance(my_king, King
) or my_king.color != input_color:
self.king_loc_dict[input_color] = test.find_king(
input_color)
my_king = test.piece_at_square(self.king_loc_dict[
input_color])
if not my_king.in_check(test):
yield move
|
calc_all_possible_moves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_color):\n for piece in self:\n if piece is not None and piece.color == input_color:\n for move in piece.possible_moves(self):\n test = cp(self)\n test_move = Move(end_loc=move.end_loc, piece=test.\n piece_at_square(move.start_loc), status=move.status,\n start_loc=move.start_loc, promoted_to_piece=move.\n promoted_to_piece)\n test.update(test_move)\n if self.king_loc_dict is None:\n yield move\n continue\n my_king = test.piece_at_square(self.king_loc_dict[input_color])\n if my_king is None or not isinstance(my_king, King\n ) or my_king.color != input_color:\n self.king_loc_dict[input_color] = test.find_king(\n input_color)\n my_king = test.piece_at_square(self.king_loc_dict[\n input_color])\n if not my_king.in_check(test):\n yield move\n",
"role": "user"
},
{
"content": "calc_all_possible_moves",
"role": "assistant"
}
] |
def x(*fns):
proc = []
for fn in fns:
p = Process(target=fn)
p.start()
proc.append(p)
for p in proc:
p.join()
|
runInParallel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*fns):\n proc = []\n for fn in fns:\n p = Process(target=fn)\n p.start()\n proc.append(p)\n for p in proc:\n p.join()\n",
"role": "user"
},
{
"content": "runInParallel",
"role": "assistant"
}
] |
def x(self, piece):
for i, _ in enumerate(self.position):
for j, _ in enumerate(self.position):
loc = Location(i, j)
if not self.is_square_empty(loc) and self.piece_at_square(loc
) == piece:
return loc
raise ValueError('{} \nPiece not found: {}'.format(self, piece))
|
find_piece
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, piece):\n for i, _ in enumerate(self.position):\n for j, _ in enumerate(self.position):\n loc = Location(i, j)\n if not self.is_square_empty(loc) and self.piece_at_square(loc\n ) == piece:\n return loc\n raise ValueError('{} \\nPiece not found: {}'.format(self, piece))\n",
"role": "user"
},
{
"content": "find_piece",
"role": "assistant"
}
] |
def x(self, piece_type, input_color):
for loc in self:
piece = self.piece_at_square(loc)
if not self.is_square_empty(loc) and isinstance(piece, piece_type
) and piece.color == input_color:
return loc
raise Exception('{} \nPiece not found: {}'.format(self, piece_type))
|
get_piece
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, piece_type, input_color):\n for loc in self:\n piece = self.piece_at_square(loc)\n if not self.is_square_empty(loc) and isinstance(piece, piece_type\n ) and piece.color == input_color:\n return loc\n raise Exception('{} \\nPiece not found: {}'.format(self, piece_type))\n",
"role": "user"
},
{
"content": "get_piece",
"role": "assistant"
}
] |
def x(self, piece, location):
self.position[location.rank][location.file] = piece
piece.location = location
|
place_piece_at_square
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, piece, location):\n self.position[location.rank][location.file] = piece\n piece.location = location\n",
"role": "user"
},
{
"content": "place_piece_at_square",
"role": "assistant"
}
] |
def x(self, initial, final):
self.place_piece_at_square(self.piece_at_square(initial), final)
self.remove_piece_at_square(initial)
|
move_piece
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, initial, final):\n self.place_piece_at_square(self.piece_at_square(initial), final)\n self.remove_piece_at_square(initial)\n",
"role": "user"
},
{
"content": "move_piece",
"role": "assistant"
}
] |
def x(self, move):
if move is None:
raise TypeError('Move cannot be type None')
if self.king_loc_dict is not None and isinstance(move.piece, King):
self.king_loc_dict[move.color] = move.end_loc
for square in self:
pawn = square
if isinstance(pawn, Pawn):
pawn.just_moved_two_steps = False
if type(move.piece) is King or type(move.piece) is Rook:
move.piece.has_moved = True
elif move.status == notation_const.MOVEMENT and isinstance(move.piece, Pawn
) and fabs(move.end_loc.rank - move.start_loc.rank) == 2:
move.piece.just_moved_two_steps = True
if move.status == notation_const.KING_SIDE_CASTLE:
self.move_piece(Location(move.end_loc.rank, 7), Location(move.
end_loc.rank, 5))
self.piece_at_square(Location(move.end_loc.rank, 5)).has_moved = True
elif move.status == notation_const.QUEEN_SIDE_CASTLE:
self.move_piece(Location(move.end_loc.rank, 0), Location(move.
end_loc.rank, 3))
self.piece_at_square(Location(move.end_loc.rank, 3)).has_moved = True
elif move.status == notation_const.EN_PASSANT:
self.remove_piece_at_square(Location(move.start_loc.rank, move.
end_loc.file))
elif move.status == notation_const.PROMOTE or move.status == notation_const.CAPTURE_AND_PROMOTE:
try:
self.remove_piece_at_square(move.start_loc)
self.place_piece_at_square(move.promoted_to_piece(move.color,
move.end_loc), move.end_loc)
except TypeError as e:
raise ValueError('Promoted to piece cannot be None in Move {}\n{}'
.format(repr(move), e))
return
self.move_piece(move.piece.location, move.end_loc)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, move):\n if move is None:\n raise TypeError('Move cannot be type None')\n if self.king_loc_dict is not None and isinstance(move.piece, King):\n self.king_loc_dict[move.color] = move.end_loc\n for square in self:\n pawn = square\n if isinstance(pawn, Pawn):\n pawn.just_moved_two_steps = False\n if type(move.piece) is King or type(move.piece) is Rook:\n move.piece.has_moved = True\n elif move.status == notation_const.MOVEMENT and isinstance(move.piece, Pawn\n ) and fabs(move.end_loc.rank - move.start_loc.rank) == 2:\n move.piece.just_moved_two_steps = True\n if move.status == notation_const.KING_SIDE_CASTLE:\n self.move_piece(Location(move.end_loc.rank, 7), Location(move.\n end_loc.rank, 5))\n self.piece_at_square(Location(move.end_loc.rank, 5)).has_moved = True\n elif move.status == notation_const.QUEEN_SIDE_CASTLE:\n self.move_piece(Location(move.end_loc.rank, 0), Location(move.\n end_loc.rank, 3))\n self.piece_at_square(Location(move.end_loc.rank, 3)).has_moved = True\n elif move.status == notation_const.EN_PASSANT:\n self.remove_piece_at_square(Location(move.start_loc.rank, move.\n end_loc.file))\n elif move.status == notation_const.PROMOTE or move.status == notation_const.CAPTURE_AND_PROMOTE:\n try:\n self.remove_piece_at_square(move.start_loc)\n self.place_piece_at_square(move.promoted_to_piece(move.color,\n move.end_loc), move.end_loc)\n except TypeError as e:\n raise ValueError('Promoted to piece cannot be None in Move {}\\n{}'\n .format(repr(move), e))\n return\n self.move_piece(move.piece.location, move.end_loc)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, g):
if not isinstance(g, CGRContainer):
raise InvalidData('only CGRContainer acceptable')
r_group = []
x_group = {}
r_group_clones = []
newcomponents = []
""" search bond breaks and creations
"""
components, lost_bonds, term_atoms = self.__split_graph(g)
lost_map = {x: y for x, y in lost_bonds}
""" extract subgraphs and sort by group type (R or X)
"""
x_terminals = set(lost_map.values())
r_terminals = set(lost_map)
for i in components:
x_terminal_atom = x_terminals.intersection(i)
if x_terminal_atom:
x_group[x_terminal_atom.pop()] = i
continue
r_terminal_atom = r_terminals.intersection(i)
if r_terminal_atom:
r_group.append([r_terminal_atom, i])
continue
newcomponents.append(i)
""" search similar R groups and patch.
"""
tmp = g
for i in newcomponents:
for k, j in r_group:
gm = GraphMatcher(j, i, node_match=self.__node_match_products,
edge_match=self.__edge_match_products)
""" search for similar R-groups started from bond breaks.
"""
mapping = next((x for x in gm.subgraph_isomorphisms_iter() if k
.issubset(x) and all(x[y] in term_atoms for y in k)), None)
if mapping:
r_group_clones.append([k, mapping])
tmp = compose(tmp, self.__remap_group(j, tmp, mapping)[0])
break
""" add lose X groups to R groups
"""
for i, j in r_group_clones:
for k in i:
remappedgroup, mapping = self.__remap_group(x_group[lost_map[k]
], tmp, {})
tmp = CGRcore.union(tmp, remappedgroup)
tmp.add_edge(j[k], mapping[lost_map[k]], s_bond=1, sp_bond=(1,
None))
if r_group_clones:
tmp.meta.update(g.meta)
return tmp
return tmp.copy()
|
clone_subgraphs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, g):\n if not isinstance(g, CGRContainer):\n raise InvalidData('only CGRContainer acceptable')\n r_group = []\n x_group = {}\n r_group_clones = []\n newcomponents = []\n \"\"\" search bond breaks and creations\n \"\"\"\n components, lost_bonds, term_atoms = self.__split_graph(g)\n lost_map = {x: y for x, y in lost_bonds}\n \"\"\" extract subgraphs and sort by group type (R or X)\n \"\"\"\n x_terminals = set(lost_map.values())\n r_terminals = set(lost_map)\n for i in components:\n x_terminal_atom = x_terminals.intersection(i)\n if x_terminal_atom:\n x_group[x_terminal_atom.pop()] = i\n continue\n r_terminal_atom = r_terminals.intersection(i)\n if r_terminal_atom:\n r_group.append([r_terminal_atom, i])\n continue\n newcomponents.append(i)\n \"\"\" search similar R groups and patch.\n \"\"\"\n tmp = g\n for i in newcomponents:\n for k, j in r_group:\n gm = GraphMatcher(j, i, node_match=self.__node_match_products,\n edge_match=self.__edge_match_products)\n \"\"\" search for similar R-groups started from bond breaks.\n \"\"\"\n mapping = next((x for x in gm.subgraph_isomorphisms_iter() if k\n .issubset(x) and all(x[y] in term_atoms for y in k)), None)\n if mapping:\n r_group_clones.append([k, mapping])\n tmp = compose(tmp, self.__remap_group(j, tmp, mapping)[0])\n break\n \"\"\" add lose X groups to R groups\n \"\"\"\n for i, j in r_group_clones:\n for k in i:\n remappedgroup, mapping = self.__remap_group(x_group[lost_map[k]\n ], tmp, {})\n tmp = CGRcore.union(tmp, remappedgroup)\n tmp.add_edge(j[k], mapping[lost_map[k]], s_bond=1, sp_bond=(1,\n None))\n if r_group_clones:\n tmp.meta.update(g.meta)\n return tmp\n return tmp.copy()\n",
"role": "user"
},
{
"content": "clone_subgraphs",
"role": "assistant"
}
] |
def x(g):
for n, nbrdict in g.adjacency():
for m, l in combinations(nbrdict, 2):
nms = nbrdict[m]['sp_bond']
nls = nbrdict[l]['sp_bond']
if nms == (1, None) and nls == (None, 1):
yield m, n, l
elif nms == (None, 1) and nls == (1, None):
yield l, n, m
|
get_substitution_paths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g):\n for n, nbrdict in g.adjacency():\n for m, l in combinations(nbrdict, 2):\n nms = nbrdict[m]['sp_bond']\n nls = nbrdict[l]['sp_bond']\n if nms == (1, None) and nls == (None, 1):\n yield m, n, l\n elif nms == (None, 1) and nls == (1, None):\n yield l, n, m\n",
"role": "user"
},
{
"content": "get_substitution_paths",
"role": "assistant"
}
] |
def x(self):
if self._versions is None:
with self.database.cursor_autocommit() as cursor:
query = (
"""
SELECT number,
date_start,
date_done,
log,
addons
FROM {}
"""
.format(self.table_name))
cursor.execute(query)
rows = cursor.fetchall()
versions = []
for row in rows:
row = list(row)
row[4] = json.loads(row[4]) if row[4] else []
versions.append(self.VersionRecord(*row))
self._versions = versions
return self._versions
|
versions
|
[
{
"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._versions is None:\n with self.database.cursor_autocommit() as cursor:\n query = (\n \"\"\"\n SELECT number,\n date_start,\n date_done,\n log,\n addons\n FROM {}\n \"\"\"\n .format(self.table_name))\n cursor.execute(query)\n rows = cursor.fetchall()\n versions = []\n for row in rows:\n row = list(row)\n row[4] = json.loads(row[4]) if row[4] else []\n versions.append(self.VersionRecord(*row))\n self._versions = versions\n return self._versions\n",
"role": "user"
},
{
"content": "versions",
"role": "assistant"
}
] |
def x():
results = defaultdict(list)
for mdl in model_registry.get_base_models():
results['other'].append({'text': mdl.Meta.verbose_name_plural, 'wf':
'crud', 'model': mdl.__name__, 'kategori': settings.
DEFAULT_OBJECT_CATEGORY_NAME})
return results
|
simple_crud
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n results = defaultdict(list)\n for mdl in model_registry.get_base_models():\n results['other'].append({'text': mdl.Meta.verbose_name_plural, 'wf':\n 'crud', 'model': mdl.__name__, 'kategori': settings.\n DEFAULT_OBJECT_CATEGORY_NAME})\n return results\n",
"role": "user"
},
{
"content": "simple_crud",
"role": "assistant"
}
] |
def x(self):
results = defaultdict(list)
for object_type in settings.OBJECT_MENU:
for model_data in settings.OBJECT_MENU[object_type]:
if self.current.has_permission(model_data.get('wf', model_data[
'name'])):
self._add_crud(model_data, object_type, results)
return results
|
get_crud_menus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n results = defaultdict(list)\n for object_type in settings.OBJECT_MENU:\n for model_data in settings.OBJECT_MENU[object_type]:\n if self.current.has_permission(model_data.get('wf', model_data[\n 'name'])):\n self._add_crud(model_data, object_type, results)\n return results\n",
"role": "user"
},
{
"content": "get_crud_menus",
"role": "assistant"
}
] |
def x(self, model_data, object_type, results):
model = model_registry.get_model(model_data['name'])
field_name = model_data.get('field')
verbose_name = model_data.get('verbose_name', model.Meta.
verbose_name_plural)
category = model_data.get('category', settings.DEFAULT_OBJECT_CATEGORY_NAME
)
wf_dict = {'text': verbose_name, 'wf': model_data.get('wf', 'crud'),
'model': model_data['name'], 'kategori': category}
if field_name:
wf_dict['param'] = field_name
results[object_type].append(wf_dict)
self._add_to_quick_menu(wf_dict['model'], wf_dict)
|
add_crud
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_data, object_type, results):\n model = model_registry.get_model(model_data['name'])\n field_name = model_data.get('field')\n verbose_name = model_data.get('verbose_name', model.Meta.\n verbose_name_plural)\n category = model_data.get('category', settings.DEFAULT_OBJECT_CATEGORY_NAME\n )\n wf_dict = {'text': verbose_name, 'wf': model_data.get('wf', 'crud'),\n 'model': model_data['name'], 'kategori': category}\n if field_name:\n wf_dict['param'] = field_name\n results[object_type].append(wf_dict)\n self._add_to_quick_menu(wf_dict['model'], wf_dict)\n",
"role": "user"
},
{
"content": "add_crud",
"role": "assistant"
}
] |
def x(self, key, wf):
if key in settings.QUICK_MENU:
self.output['quick_menu'].append(wf)
|
add_to_quick_menu
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, wf):\n if key in settings.QUICK_MENU:\n self.output['quick_menu'].append(wf)\n",
"role": "user"
},
{
"content": "add_to_quick_menu",
"role": "assistant"
}
] |
def x(self):
results = defaultdict(list)
from zengine.lib.cache import WFSpecNames
for name, title, category in WFSpecNames().get_or_set():
if self.current.has_permission(name) and category != 'hidden':
wf_dict = {'text': title, 'wf': name, 'kategori': category,
'param': 'id'}
results['other'].append(wf_dict)
self._add_to_quick_menu(name, wf_dict)
return results
|
get_workflow_menus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n results = defaultdict(list)\n from zengine.lib.cache import WFSpecNames\n for name, title, category in WFSpecNames().get_or_set():\n if self.current.has_permission(name) and category != 'hidden':\n wf_dict = {'text': title, 'wf': name, 'kategori': category,\n 'param': 'id'}\n results['other'].append(wf_dict)\n self._add_to_quick_menu(name, wf_dict)\n return results\n",
"role": "user"
},
{
"content": "get_workflow_menus",
"role": "assistant"
}
] |
def x(self, request, response, resource):
origin = request.get_header('Origin')
if not settings.DEBUG:
if origin in settings.ALLOWED_ORIGINS or not origin:
response.set_header('Access-Control-Allow-Origin', origin)
else:
log.debug('CORS ERROR: %s not allowed, allowed hosts: %s' % (
origin, settings.ALLOWED_ORIGINS))
raise falcon.HTTPForbidden('Denied',
'Origin not in ALLOWED_ORIGINS: %s' % origin)
else:
response.set_header('Access-Control-Allow-Origin', origin or '*')
response.set_header('Access-Control-Allow-Credentials', 'true')
response.set_header('Access-Control-Allow-Headers', 'Content-Type')
response.set_header('Access-Control-Allow-Methods', 'OPTIONS')
|
process_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, response, resource):\n origin = request.get_header('Origin')\n if not settings.DEBUG:\n if origin in settings.ALLOWED_ORIGINS or not origin:\n response.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 falcon.HTTPForbidden('Denied', \n 'Origin not in ALLOWED_ORIGINS: %s' % origin)\n else:\n response.set_header('Access-Control-Allow-Origin', origin or '*')\n response.set_header('Access-Control-Allow-Credentials', 'true')\n response.set_header('Access-Control-Allow-Headers', 'Content-Type')\n response.set_header('Access-Control-Allow-Methods', 'OPTIONS')\n",
"role": "user"
},
{
"content": "process_response",
"role": "assistant"
}
] |
def x(self, req, resp):
if not req.client_accepts_json:
raise falcon.HTTPNotAcceptable(
'This API only supports responses encoded as JSON.', href=
'http://docs.examples.com/api/json')
if req.method in ('POST', 'PUT'):
if (req.content_length != 0 and 'application/json' not in req.
content_type and 'text/plain' not in req.content_type):
raise falcon.HTTPUnsupportedMediaType(
'This API only supports requests encoded as JSON.', href=
'http://docs.examples.com/api/json')
|
process_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, resp):\n if not req.client_accepts_json:\n raise falcon.HTTPNotAcceptable(\n 'This API only supports responses encoded as JSON.', href=\n 'http://docs.examples.com/api/json')\n if req.method in ('POST', 'PUT'):\n if (req.content_length != 0 and 'application/json' not in req.\n content_type and 'text/plain' not in req.content_type):\n raise falcon.HTTPUnsupportedMediaType(\n 'This API only supports requests encoded as JSON.', href=\n 'http://docs.examples.com/api/json')\n",
"role": "user"
},
{
"content": "process_request",
"role": "assistant"
}
] |
def x(self, req, resp):
if req.content_length in (None, 0):
req.context['data'] = req.params.copy()
req.context['result'] = {}
return
else:
req.context['result'] = {}
body = req.stream.read()
if not body:
raise falcon.HTTPBadRequest('Empty request body',
'A valid JSON document is required.')
try:
json_data = body.decode('utf-8')
req.context['data'] = json.loads(json_data)
try:
log.info('REQUEST DATA: %s' % json_data)
except:
log.exception('ERR: REQUEST DATA CANT BE LOGGED ')
except (ValueError, UnicodeDecodeError):
raise falcon.HTTPError(falcon.HTTP_753, 'Malformed JSON',
'Could not decode the request body. The JSON was incorrect or not encoded as UTF-8.'
)
|
process_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, resp):\n if req.content_length in (None, 0):\n req.context['data'] = req.params.copy()\n req.context['result'] = {}\n return\n else:\n req.context['result'] = {}\n body = req.stream.read()\n if not body:\n raise falcon.HTTPBadRequest('Empty request body',\n 'A valid JSON document is required.')\n try:\n json_data = body.decode('utf-8')\n req.context['data'] = json.loads(json_data)\n try:\n log.info('REQUEST DATA: %s' % json_data)\n except:\n log.exception('ERR: REQUEST DATA CANT BE LOGGED ')\n except (ValueError, UnicodeDecodeError):\n raise falcon.HTTPError(falcon.HTTP_753, 'Malformed JSON',\n 'Could not decode the request body. The JSON was incorrect or not encoded as UTF-8.'\n )\n",
"role": "user"
},
{
"content": "process_request",
"role": "assistant"
}
] |
def x(self, req, resp, resource):
if 'result' not in req.context:
return
req.context['result']['is_login'] = 'user_id' in req.env['session']
if settings.DEBUG:
req.context['result']['_debug_queries'] = sys._debug_db_queries
sys._debug_db_queries = []
if resp.body is None and req.context['result']:
resp.body = json.dumps(req.context['result'])
try:
log.debug('RESPONSE: %s' % resp.body)
except:
log.exception('ERR: RESPONSE CANT BE LOGGED ')
|
process_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, resp, resource):\n if 'result' not in req.context:\n return\n req.context['result']['is_login'] = 'user_id' in req.env['session']\n if settings.DEBUG:\n req.context['result']['_debug_queries'] = sys._debug_db_queries\n sys._debug_db_queries = []\n if resp.body is None and req.context['result']:\n resp.body = json.dumps(req.context['result'])\n try:\n log.debug('RESPONSE: %s' % resp.body)\n except:\n log.exception('ERR: RESPONSE CANT BE LOGGED ')\n",
"role": "user"
},
{
"content": "process_response",
"role": "assistant"
}
] |
def x(self):
if self.connecting:
log.info('PikaClient: Already connecting to RabbitMQ')
return
log.info('PikaClient: Connecting to RabbitMQ')
self.connecting = True
self.connection = TornadoConnection(NON_BLOCKING_MQ_PARAMS,
stop_ioloop_on_close=False, custom_ioloop=self.io_loop,
on_open_callback=self.on_connected)
|
connect
|
[
{
"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.connecting:\n log.info('PikaClient: Already connecting to RabbitMQ')\n return\n log.info('PikaClient: Connecting to RabbitMQ')\n self.connecting = True\n self.connection = TornadoConnection(NON_BLOCKING_MQ_PARAMS,\n stop_ioloop_on_close=False, custom_ioloop=self.io_loop,\n on_open_callback=self.on_connected)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, connection):
log.info('PikaClient: connected to RabbitMQ')
self.connected = True
self.in_channel = self.connection.channel(self.on_channel_open)
|
on_connected
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection):\n log.info('PikaClient: connected to RabbitMQ')\n self.connected = True\n self.in_channel = self.connection.channel(self.on_channel_open)\n",
"role": "user"
},
{
"content": "on_connected",
"role": "assistant"
}
] |
def x(self, channel):
self.in_channel.exchange_declare(exchange='input_exc', type='topic',
durable=True)
channel.queue_declare(callback=self.on_input_queue_declare, queue=self.
INPUT_QUEUE_NAME)
|
on_channel_open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n self.in_channel.exchange_declare(exchange='input_exc', type='topic',\n durable=True)\n channel.queue_declare(callback=self.on_input_queue_declare, queue=self.\n INPUT_QUEUE_NAME)\n",
"role": "user"
},
{
"content": "on_channel_open",
"role": "assistant"
}
] |
def x(self, queue):
self.in_channel.queue_bind(callback=None, exchange='input_exc', queue=
self.INPUT_QUEUE_NAME, routing_key='#')
|
on_input_queue_declare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue):\n self.in_channel.queue_bind(callback=None, exchange='input_exc', queue=\n self.INPUT_QUEUE_NAME, routing_key='#')\n",
"role": "user"
},
{
"content": "on_input_queue_declare",
"role": "assistant"
}
] |
def x(self, request):
try:
if request.method != 'POST':
abort(400)
try:
data = request.data
if isinstance(data, str):
body = json.loads(data)
else:
body = json.loads(data.decode('utf-8'))
except ValueError:
abort(400)
if self.validate:
valid_cert = util.validate_request_certificate(request.headers,
request.data)
valid_ts = util.validate_request_timestamp(body)
if not valid_cert or not valid_ts:
log.error('failed to validate request')
abort(403)
resp_obj = self.alexa.dispatch_request(body)
return Response(response=json.dumps(resp_obj, indent=4), status=200,
mimetype='application/json')
except HTTPException as exc:
log.exception('Failed to handle request')
return exc
|
wsgi_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n try:\n if request.method != 'POST':\n abort(400)\n try:\n data = request.data\n if isinstance(data, str):\n body = json.loads(data)\n else:\n body = json.loads(data.decode('utf-8'))\n except ValueError:\n abort(400)\n if self.validate:\n valid_cert = util.validate_request_certificate(request.headers,\n request.data)\n valid_ts = util.validate_request_timestamp(body)\n if not valid_cert or not valid_ts:\n log.error('failed to validate request')\n abort(403)\n resp_obj = self.alexa.dispatch_request(body)\n return Response(response=json.dumps(resp_obj, indent=4), status=200,\n mimetype='application/json')\n except HTTPException as exc:\n log.exception('Failed to handle request')\n return exc\n",
"role": "user"
},
{
"content": "wsgi_app",
"role": "assistant"
}
] |
def x(self, force=False):
if self.__write:
self.write = self.__write_adhoc
self.__write = False
if not self._is_buffer or force:
self._file.close()
|
close
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force=False):\n if self.__write:\n self.write = self.__write_adhoc\n self.__write = False\n if not self._is_buffer or force:\n self._file.close()\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, reaction):
if not (reaction['reactants'] or reaction['products'] or reaction[
'reagents']):
raise ValueError('empty reaction')
maps = {'reactants': [], 'products': [], 'reagents': []}
for i, tmp in maps.items():
for molecule in reaction[i]:
used = set()
for atom in molecule['atoms']:
m = atom['mapping']
if m:
if m in used:
if not self._ignore:
raise MappingError(
'mapping in molecules should be unique')
warning(f'non-unique mapping in molecule: {m}')
else:
used.add(m)
tmp.append(m)
length = count(max(max(maps['products'], default=0), max(maps[
'reactants'], default=0), max(maps['reagents'], default=0)) + 1)
""" map unmapped atoms.
"""
for i, tmp in maps.items():
used = set()
maps[i] = remap = []
for m in tmp:
if not m:
remap.append(next(length))
elif m in used:
if not self._ignore:
raise MappingError(
'mapping in reagents or products or reactants should be unique'
)
remap.append(next(length))
warning(f'mapping changed: {m} to {remap[-1]}')
else:
remap.append(m)
used.add(m)
if maps['reagents']:
tmp = (set(maps['reactants']) | set(maps['products'])) & set(maps[
'reagents'])
if tmp:
e = (
f'reagents has map intersection with reactants or products: {tmp}'
)
if not self._ignore:
raise MappingError(e)
warning(e)
maps['reagents'] = [(x if x not in tmp else next(length)) for x in
maps['reagents']]
""" find breaks in map. e.g. 1,2,5,6. 3,4 - skipped
"""
if self.__remap:
lose = sorted(set(range(1, next(length))) - set(maps['reactants']) -
set(maps['products']) - set(maps['reagents']), reverse=True)
if lose:
for i, tmp in maps.items():
if not tmp:
continue
for j in lose:
maps[i] = tmp = [(x if x < j else x - 1) for x in tmp]
""" end
"""
rc = ReactionContainer(meta=reaction['meta'])
for i, tmp in maps.items():
shift = 0
for j in reaction[i]:
atom_len = len(j['atoms'])
remapped = {x: y for x, y in enumerate(tmp[shift:atom_len + shift])
}
shift += atom_len
g = self.__convert_structure(j, remapped)
rc[i].append(g)
return rc
|
convert_reaction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reaction):\n if not (reaction['reactants'] or reaction['products'] or reaction[\n 'reagents']):\n raise ValueError('empty reaction')\n maps = {'reactants': [], 'products': [], 'reagents': []}\n for i, tmp in maps.items():\n for molecule in reaction[i]:\n used = set()\n for atom in molecule['atoms']:\n m = atom['mapping']\n if m:\n if m in used:\n if not self._ignore:\n raise MappingError(\n 'mapping in molecules should be unique')\n warning(f'non-unique mapping in molecule: {m}')\n else:\n used.add(m)\n tmp.append(m)\n length = count(max(max(maps['products'], default=0), max(maps[\n 'reactants'], default=0), max(maps['reagents'], default=0)) + 1)\n \"\"\" map unmapped atoms.\n \"\"\"\n for i, tmp in maps.items():\n used = set()\n maps[i] = remap = []\n for m in tmp:\n if not m:\n remap.append(next(length))\n elif m in used:\n if not self._ignore:\n raise MappingError(\n 'mapping in reagents or products or reactants should be unique'\n )\n remap.append(next(length))\n warning(f'mapping changed: {m} to {remap[-1]}')\n else:\n remap.append(m)\n used.add(m)\n if maps['reagents']:\n tmp = (set(maps['reactants']) | set(maps['products'])) & set(maps[\n 'reagents'])\n if tmp:\n e = (\n f'reagents has map intersection with reactants or products: {tmp}'\n )\n if not self._ignore:\n raise MappingError(e)\n warning(e)\n maps['reagents'] = [(x if x not in tmp else next(length)) for x in\n maps['reagents']]\n \"\"\" find breaks in map. e.g. 1,2,5,6. 3,4 - skipped\n \"\"\"\n if self.__remap:\n lose = sorted(set(range(1, next(length))) - set(maps['reactants']) -\n set(maps['products']) - set(maps['reagents']), reverse=True)\n if lose:\n for i, tmp in maps.items():\n if not tmp:\n continue\n for j in lose:\n maps[i] = tmp = [(x if x < j else x - 1) for x in tmp]\n \"\"\" end\n \"\"\"\n rc = ReactionContainer(meta=reaction['meta'])\n for i, tmp in maps.items():\n shift = 0\n for j in reaction[i]:\n atom_len = len(j['atoms'])\n remapped = {x: y for x, y in enumerate(tmp[shift:atom_len + shift])\n }\n shift += atom_len\n g = self.__convert_structure(j, remapped)\n rc[i].append(g)\n return rc\n",
"role": "user"
},
{
"content": "convert_reaction",
"role": "assistant"
}
] |
def x(self):
rings = [x for x in self.sssr if 4 < len(x) < 7]
if not rings:
return 0
total = 0
while True:
c = self._quinonize(rings, 'order')
if c:
total += c
elif total:
break
c = self._aromatize(rings, 'order')
if not c:
break
total += c
if total:
self.flush_cache()
return total
|
aromatize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rings = [x for x in self.sssr if 4 < len(x) < 7]\n if not rings:\n return 0\n total = 0\n while True:\n c = self._quinonize(rings, 'order')\n if c:\n total += c\n elif total:\n break\n c = self._aromatize(rings, 'order')\n if not c:\n break\n total += c\n if total:\n self.flush_cache()\n return total\n",
"role": "user"
},
{
"content": "aromatize",
"role": "assistant"
}
] |
def x(self, seed_list, n):
print('Num Rounds ' + str(n))
cc = self.proxy.Crawl(seed=seed_list, rounds=n)
rounds = cc.waitAll()
print('Completed %d rounds' % len(rounds))
return len(rounds)
|
crawl_cmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seed_list, n):\n print('Num Rounds ' + str(n))\n cc = self.proxy.Crawl(seed=seed_list, rounds=n)\n rounds = cc.waitAll()\n print('Completed %d rounds' % len(rounds))\n return len(rounds)\n",
"role": "user"
},
{
"content": "crawl_cmd",
"role": "assistant"
}
] |
def x(self, xml_file, id):
import xml.etree.ElementTree as ET
tree = ET.parse(xml_file)
params = {}
for prop in tree.getroot().findall('.//property'):
params[prop.find('./name').text.strip()] = prop.find('./value'
).text.strip()
return self.proxy.Configs().create(id, configData=params)
|
load_xml_conf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xml_file, id):\n import xml.etree.ElementTree as ET\n tree = ET.parse(xml_file)\n params = {}\n for prop in tree.getroot().findall('.//property'):\n params[prop.find('./name').text.strip()] = prop.find('./value'\n ).text.strip()\n return self.proxy.Configs().create(id, configData=params)\n",
"role": "user"
},
{
"content": "load_xml_conf",
"role": "assistant"
}
] |
def x(self, args):
cmd = args.get('cmd_create')
if cmd == 'conf':
conf_file = args['conf_file']
conf_id = args['id']
return self.load_xml_conf(conf_file, conf_id)
else:
print('Error: Create %s is invalid or not implemented' % cmd)
|
create_cmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n cmd = args.get('cmd_create')\n if cmd == 'conf':\n conf_file = args['conf_file']\n conf_id = args['id']\n return self.load_xml_conf(conf_file, conf_id)\n else:\n print('Error: Create %s is invalid or not implemented' % cmd)\n",
"role": "user"
},
{
"content": "create_cmd",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
if not self.__finalized:
self._file.write('</cml>')
self.__finalized = True
super().close(*args, **kwargs)
|
close
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n if not self.__finalized:\n self._file.write('</cml>')\n self.__finalized = True\n super().close(*args, **kwargs)\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, data):
self._file.write('<cml>')
self.__write(data)
self.write = self.__write
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self._file.write('<cml>')\n self.__write(data)\n self.write = self.__write\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self):
try:
with open(self.__cache_path, 'rb') as f:
return load(f)
except FileNotFoundError:
return
except IsADirectoryError as e:
raise IsADirectoryError(f'Please delete {self.__cache_path} directory'
) from e
except (UnpicklingError, EOFError) as e:
raise UnpicklingError(
f'Invalid cache file {self.__cache_path}. Please delete it') from e
|
load_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n with open(self.__cache_path, 'rb') as f:\n return load(f)\n except FileNotFoundError:\n return\n except IsADirectoryError as e:\n raise IsADirectoryError(f'Please delete {self.__cache_path} directory'\n ) from e\n except (UnpicklingError, EOFError) as e:\n raise UnpicklingError(\n f'Invalid cache file {self.__cache_path}. Please delete it') from e\n",
"role": "user"
},
{
"content": "load_cache",
"role": "assistant"
}
] |
def x(self, _shifts):
with open(self.__cache_path, 'wb') as f:
dump(_shifts, f)
|
dump_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _shifts):\n with open(self.__cache_path, 'wb') as f:\n dump(_shifts, f)\n",
"role": "user"
},
{
"content": "dump_cache",
"role": "assistant"
}
] |
def x(current):
current.output['task_types'] = [{'name': bpmn_wf.name, 'title': bpmn_wf
.title} for bpmn_wf in BPMNWorkflow.objects.all() if current.
has_permission(bpmn_wf.name)]
|
get_task_types
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n current.output['task_types'] = [{'name': bpmn_wf.name, 'title': bpmn_wf\n .title} for bpmn_wf in BPMNWorkflow.objects.all() if current.\n has_permission(bpmn_wf.name)]\n",
"role": "user"
},
{
"content": "get_task_types",
"role": "assistant"
}
] |
def x(current):
task_inv = TaskInvitation.objects.get(current.input['key'])
obj = task_inv.instance.get_object()
current.output['task_title'] = task_inv.instance.task.name
current.output['task_detail'] = """Explain: %s
State: %s""" % (obj.
__unicode__() if obj else '', task_inv.progress)
|
get_task_detail
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n task_inv = TaskInvitation.objects.get(current.input['key'])\n obj = task_inv.instance.get_object()\n current.output['task_title'] = task_inv.instance.task.name\n current.output['task_detail'] = \"\"\"Explain: %s\n State: %s\"\"\" % (obj.\n __unicode__() if obj else '', task_inv.progress)\n",
"role": "user"
},
{
"content": "get_task_detail",
"role": "assistant"
}
] |
def x(current):
task_inv = TaskInvitation.objects.get(current.input['key'])
actions = [{'title': __(u'Assign Someone Else'), 'wf':
'assign_same_abstract_role'}, {'title': __(u'Suspend'), 'wf':
'suspend_workflow'}, {'title': __(u'Postpone'), 'wf':
'postpone_workflow'}]
if task_inv.instance.current_actor != current.role:
actions.append({'title': __(u'Assign Yourself'), 'wf':
'task_assign_yourself'})
current.output['key'] = task_inv.key
current.output['actions'] = actions
|
get_task_actions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n task_inv = TaskInvitation.objects.get(current.input['key'])\n actions = [{'title': __(u'Assign Someone Else'), 'wf':\n 'assign_same_abstract_role'}, {'title': __(u'Suspend'), 'wf':\n 'suspend_workflow'}, {'title': __(u'Postpone'), 'wf':\n 'postpone_workflow'}]\n if task_inv.instance.current_actor != current.role:\n actions.append({'title': __(u'Assign Yourself'), 'wf':\n 'task_assign_yourself'})\n current.output['key'] = task_inv.key\n current.output['actions'] = actions\n",
"role": "user"
},
{
"content": "get_task_actions",
"role": "assistant"
}
] |
def x(current):
STATE_DICT = {'active': [20, 30], 'future': 10, 'finished': 40,
'expired': 90}
state = STATE_DICT[current.input['state']]
if isinstance(state, list):
queryset = TaskInvitation.objects.filter(progress__in=state)
else:
queryset = TaskInvitation.objects.filter(progress=state)
if 'inverted' in current.input:
allowed_workflows = [bpmn_wf.name for bpmn_wf in BPMNWorkflow.
objects.all() if current.has_permission(bpmn_wf.name)]
queryset = queryset.exclude(role_id=current.role_id).filter(wf_name__in
=allowed_workflows)
else:
queryset = queryset.filter(role_id=current.role_id)
if 'query' in current.input:
queryset = queryset.filter(search_data__contains=current.input[
'query'].lower())
if 'wf_type' in current.input:
queryset = queryset.filter(wf_name=current.input['wf_type'])
if 'start_date' in current.input:
queryset = queryset.filter(start_date__gte=datetime.strptime(
current.input['start_date'], '%d.%m.%Y'))
if 'finish_date' in current.input:
queryset = queryset.filter(finish_date__lte=datetime.strptime(
current.input['finish_date'], '%d.%m.%Y'))
current.output['task_list'] = [{'token': inv.instance.key, 'key': inv.
key, 'title': inv.title, 'wf_type': inv.wf_name, 'state': inv.
progress, 'start_date': format_date(inv.start_date), 'finish_date':
format_date(inv.finish_date), 'description': inv.instance.wf.
description, 'status': inv.ownership} for inv in queryset]
task_inv_list = TaskInvitation.objects.filter(role_id=current.role_id)
current.output['task_count'] = {'active': task_inv_list.filter(
progress__in=STATE_DICT['active']).count(), 'future': task_inv_list
.filter(progress=STATE_DICT['future']).count(), 'finished':
task_inv_list.filter(progress=STATE_DICT['finished']).count(),
'expired': task_inv_list.filter(progress=STATE_DICT['expired']).count()
}
|
get_tasks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n STATE_DICT = {'active': [20, 30], 'future': 10, 'finished': 40,\n 'expired': 90}\n state = STATE_DICT[current.input['state']]\n if isinstance(state, list):\n queryset = TaskInvitation.objects.filter(progress__in=state)\n else:\n queryset = TaskInvitation.objects.filter(progress=state)\n if 'inverted' in current.input:\n allowed_workflows = [bpmn_wf.name for bpmn_wf in BPMNWorkflow.\n objects.all() if current.has_permission(bpmn_wf.name)]\n queryset = queryset.exclude(role_id=current.role_id).filter(wf_name__in\n =allowed_workflows)\n else:\n queryset = queryset.filter(role_id=current.role_id)\n if 'query' in current.input:\n queryset = queryset.filter(search_data__contains=current.input[\n 'query'].lower())\n if 'wf_type' in current.input:\n queryset = queryset.filter(wf_name=current.input['wf_type'])\n if 'start_date' in current.input:\n queryset = queryset.filter(start_date__gte=datetime.strptime(\n current.input['start_date'], '%d.%m.%Y'))\n if 'finish_date' in current.input:\n queryset = queryset.filter(finish_date__lte=datetime.strptime(\n current.input['finish_date'], '%d.%m.%Y'))\n current.output['task_list'] = [{'token': inv.instance.key, 'key': inv.\n key, 'title': inv.title, 'wf_type': inv.wf_name, 'state': inv.\n progress, 'start_date': format_date(inv.start_date), 'finish_date':\n format_date(inv.finish_date), 'description': inv.instance.wf.\n description, 'status': inv.ownership} for inv in queryset]\n task_inv_list = TaskInvitation.objects.filter(role_id=current.role_id)\n current.output['task_count'] = {'active': task_inv_list.filter(\n progress__in=STATE_DICT['active']).count(), 'future': task_inv_list\n .filter(progress=STATE_DICT['future']).count(), 'finished':\n task_inv_list.filter(progress=STATE_DICT['finished']).count(),\n 'expired': task_inv_list.filter(progress=STATE_DICT['expired']).count()\n }\n",
"role": "user"
},
{
"content": "get_tasks",
"role": "assistant"
}
] |
def x(df):
usage_pre = df.memory_usage(deep=True).sum()
if 'runIDs' in df:
df.loc[:, 'runIDs'] = df.loc[:, 'runIDs'].astype('category')
df_int = df.select_dtypes(include=['int'])
df_float = df.select_dtypes(include=['float'])
df.loc[:, df_int.columns] = df_int.apply(pd.to_numeric, downcast='unsigned'
)
df.loc[:, df_float.columns] = df_float.apply(pd.to_numeric, downcast=
'float')
usage_post = df.memory_usage(deep=True).sum()
logging.info('Reduced DataFrame memory usage from {}Mb to {}Mb'.format(
usage_pre / 1024 ** 2, usage_post / 1024 ** 2))
if usage_post > 4000000000.0 and 'readIDs' in df:
logging.info(
'DataFrame of features is too big, dropping read identifiers.')
return df.drop(['readIDs'], axis=1, errors='ignore')
else:
return df
|
reduce_memory_usage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df):\n usage_pre = df.memory_usage(deep=True).sum()\n if 'runIDs' in df:\n df.loc[:, 'runIDs'] = df.loc[:, 'runIDs'].astype('category')\n df_int = df.select_dtypes(include=['int'])\n df_float = df.select_dtypes(include=['float'])\n df.loc[:, df_int.columns] = df_int.apply(pd.to_numeric, downcast='unsigned'\n )\n df.loc[:, df_float.columns] = df_float.apply(pd.to_numeric, downcast=\n 'float')\n usage_post = df.memory_usage(deep=True).sum()\n logging.info('Reduced DataFrame memory usage from {}Mb to {}Mb'.format(\n usage_pre / 1024 ** 2, usage_post / 1024 ** 2))\n if usage_post > 4000000000.0 and 'readIDs' in df:\n logging.info(\n 'DataFrame of features is too big, dropping read identifiers.')\n return df.drop(['readIDs'], axis=1, errors='ignore')\n else:\n return df\n",
"role": "user"
},
{
"content": "reduce_memory_usage",
"role": "assistant"
}
] |
def x(f):
if not opath.isfile(f):
logging.error(
"Nanoget: File provided doesn't exist or the path is incorrect: {}"
.format(f))
sys.exit("File provided doesn't exist or the path is incorrect: {}"
.format(f))
|
check_existance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n if not opath.isfile(f):\n logging.error(\n \"Nanoget: File provided doesn't exist or the path is incorrect: {}\"\n .format(f))\n sys.exit(\"File provided doesn't exist or the path is incorrect: {}\"\n .format(f))\n",
"role": "user"
},
{
"content": "check_existance",
"role": "assistant"
}
] |
def x(self):
_form = JsonForm(current=self.current, title=_(u'Switch Role'))
_form.help_text = 'Your current role: %s %s' % (self.current.role.unit.
name, self.current.role.abstract_role.name)
switch_roles = self.get_user_switchable_roles()
_form.role_options = fields.Integer(_(
u'Please, choose the role you want to switch:'), choices=
switch_roles, default=switch_roles[0][0], required=True)
_form.switch = fields.Button(_(u'Switch'))
self.form_out(_form)
|
list_user_roles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _form = JsonForm(current=self.current, title=_(u'Switch Role'))\n _form.help_text = 'Your current role: %s %s' % (self.current.role.unit.\n name, self.current.role.abstract_role.name)\n switch_roles = self.get_user_switchable_roles()\n _form.role_options = fields.Integer(_(\n u'Please, choose the role you want to switch:'), choices=\n switch_roles, default=switch_roles[0][0], required=True)\n _form.switch = fields.Button(_(u'Switch'))\n self.form_out(_form)\n",
"role": "user"
},
{
"content": "list_user_roles",
"role": "assistant"
}
] |
def x(self):
role_key = self.input['form']['role_options']
self.current.user.last_login_role_key = role_key
self.current.user.save()
auth = AuthBackend(self.current)
auth.set_user(self.current.user)
self.current.output['cmd'] = 'reload'
|
change_user_role
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n role_key = self.input['form']['role_options']\n self.current.user.last_login_role_key = role_key\n self.current.user.save()\n auth = AuthBackend(self.current)\n auth.set_user(self.current.user)\n self.current.output['cmd'] = 'reload'\n",
"role": "user"
},
{
"content": "change_user_role",
"role": "assistant"
}
] |
def x(self):
roles = []
for rs in self.current.user.role_set:
if rs.role.key != self.current.role.key:
roles.append((rs.role.key, '%s %s' % (rs.role.unit.name, rs.
role.abstract_role.name)))
return roles
|
get_user_switchable_roles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n roles = []\n for rs in self.current.user.role_set:\n if rs.role.key != self.current.role.key:\n roles.append((rs.role.key, '%s %s' % (rs.role.unit.name, rs.\n role.abstract_role.name)))\n return roles\n",
"role": "user"
},
{
"content": "get_user_switchable_roles",
"role": "assistant"
}
] |
def x(self, obj):
self.pr_dbg('put_obj: %s' % self.json_dumps(obj))
"""
Wrapper for es.index, determines metadata needed to index from obj.
If you have a raw object json string you can hard code these:
index is .kibana (as of kibana4);
id can be A-Za-z0-9\\- and must be unique;
doc_type is either visualization, dashboard, search
or for settings docs: config, or index-pattern.
"""
if obj['_index'] is None or obj['_index'] == '':
raise Exception('Invalid Object, no index')
if obj['_id'] is None or obj['_id'] == '':
raise Exception('Invalid Object, no _id')
if obj['_type'] is None or obj['_type'] == '':
raise Exception('Invalid Object, no _type')
if obj['_source'] is None or obj['_source'] == '':
raise Exception('Invalid Object, no _source')
self.connect_es()
self.es.indices.create(index=obj['_index'], ignore=400, timeout='2m')
try:
resp = self.es.index(index=obj['_index'], id=obj['_id'], doc_type=
obj['_type'], body=obj['_source'], timeout='2m')
except RequestError as e:
self.pr_err('RequestError: %s, info: %s' % (e.error, e.info))
raise
return resp
|
put_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n self.pr_dbg('put_obj: %s' % self.json_dumps(obj))\n \"\"\"\n Wrapper for es.index, determines metadata needed to index from obj.\n If you have a raw object json string you can hard code these:\n index is .kibana (as of kibana4);\n id can be A-Za-z0-9\\\\- and must be unique;\n doc_type is either visualization, dashboard, search\n or for settings docs: config, or index-pattern.\n \"\"\"\n if obj['_index'] is None or obj['_index'] == '':\n raise Exception('Invalid Object, no index')\n if obj['_id'] is None or obj['_id'] == '':\n raise Exception('Invalid Object, no _id')\n if obj['_type'] is None or obj['_type'] == '':\n raise Exception('Invalid Object, no _type')\n if obj['_source'] is None or obj['_source'] == '':\n raise Exception('Invalid Object, no _source')\n self.connect_es()\n self.es.indices.create(index=obj['_index'], ignore=400, timeout='2m')\n try:\n resp = self.es.index(index=obj['_index'], id=obj['_id'], doc_type=\n obj['_type'], body=obj['_source'], timeout='2m')\n except RequestError as e:\n self.pr_err('RequestError: %s, info: %s' % (e.error, e.info))\n raise\n return resp\n",
"role": "user"
},
{
"content": "put_object",
"role": "assistant"
}
] |
def x(self, obj):
if obj['_index'] is None or obj['_index'] == '':
raise Exception('Invalid Object')
if obj['_id'] is None or obj['_id'] == '':
raise Exception('Invalid Object')
if obj['_type'] is None or obj['_type'] == '':
raise Exception('Invalid Object')
self.connect_es()
self.es.delete(index=obj['_index'], id=obj['_id'], doc_type=obj['_type'])
|
del_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if obj['_index'] is None or obj['_index'] == '':\n raise Exception('Invalid Object')\n if obj['_id'] is None or obj['_id'] == '':\n raise Exception('Invalid Object')\n if obj['_type'] is None or obj['_type'] == '':\n raise Exception('Invalid Object')\n self.connect_es()\n self.es.delete(index=obj['_index'], id=obj['_id'], doc_type=obj['_type'])\n",
"role": "user"
},
{
"content": "del_object",
"role": "assistant"
}
] |
def x(self, obj):
return json.dumps(obj, sort_keys=True, indent=4, separators=(',', ': '))
|
json_dumps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n return json.dumps(obj, sort_keys=True, indent=4, separators=(',', ': '))\n",
"role": "user"
},
{
"content": "json_dumps",
"role": "assistant"
}
] |
def x(self, otype, oid):
permitted = set(['_', '-', '(', ')'])
oid = ''.join([c for c in oid if c.isalnum() or c in permitted])
while oid.find('--') != -1:
oid = oid.replace('--', '-')
ext = 'json'
ts = datetime.now().strftime('%Y%m%dT%H%M%S')
fname = ''
is_new = False
while not is_new:
oid_len = 255 - len('%s--%s.%s' % (otype, ts, ext))
fname = '%s-%s-%s.%s' % (otype, oid[:oid_len], ts, ext)
is_new = True
if os.path.exists(fname):
is_new = False
ts += '-bck'
return fname
|
safe_filename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, otype, oid):\n permitted = set(['_', '-', '(', ')'])\n oid = ''.join([c for c in oid if c.isalnum() or c in permitted])\n while oid.find('--') != -1:\n oid = oid.replace('--', '-')\n ext = 'json'\n ts = datetime.now().strftime('%Y%m%dT%H%M%S')\n fname = ''\n is_new = False\n while not is_new:\n oid_len = 255 - len('%s--%s.%s' % (otype, ts, ext))\n fname = '%s-%s-%s.%s' % (otype, oid[:oid_len], ts, ext)\n is_new = True\n if os.path.exists(fname):\n is_new = False\n ts += '-bck'\n return fname\n",
"role": "user"
},
{
"content": "safe_filename",
"role": "assistant"
}
] |
def x(self, obj, path='.', filename=None):
output = self.json_dumps(obj) + '\n'
if filename is None:
filename = self.safe_filename(obj['_type'], obj['_id'])
filename = os.path.join(path, filename)
self.pr_inf('Writing to file: ' + filename)
with open(filename, 'w') as f:
f.write(output)
return filename
|
write_object_to_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, path='.', filename=None):\n output = self.json_dumps(obj) + '\\n'\n if filename is None:\n filename = self.safe_filename(obj['_type'], obj['_id'])\n filename = os.path.join(path, filename)\n self.pr_inf('Writing to file: ' + filename)\n with open(filename, 'w') as f:\n f.write(output)\n return filename\n",
"role": "user"
},
{
"content": "write_object_to_file",
"role": "assistant"
}
] |
def x(self, name, objects, path='.', filename=None):
pkg_objs = []
for _, obj in iteritems(objects):
pkg_objs.append(obj)
sorted_pkg = sorted(pkg_objs, key=lambda k: k['_id'])
output = self.json_dumps(sorted_pkg) + '\n'
if filename is None:
filename = self.safe_filename('Pkg', name)
filename = os.path.join(path, filename)
self.pr_inf('Writing to file: ' + filename)
with open(filename, 'w') as f:
f.write(output)
return filename
|
write_pkg_to_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, objects, path='.', filename=None):\n pkg_objs = []\n for _, obj in iteritems(objects):\n pkg_objs.append(obj)\n sorted_pkg = sorted(pkg_objs, key=lambda k: k['_id'])\n output = self.json_dumps(sorted_pkg) + '\\n'\n if filename is None:\n filename = self.safe_filename('Pkg', name)\n filename = os.path.join(path, filename)\n self.pr_inf('Writing to file: ' + filename)\n with open(filename, 'w') as f:\n f.write(output)\n return filename\n",
"role": "user"
},
{
"content": "write_pkg_to_file",
"role": "assistant"
}
] |
def x(self, search_field, search_val):
query = ('{ size: ' + str(self.max_hits) + ', ' +
'query: { filtered: { filter: { ' + search_field + ': { value: "' +
search_val + '"' + ' } } } } } }')
self.connect_es()
res = self.es.search(index=self.index, body=query)
objects = {}
for doc in res['hits']['hits']:
objects[doc['_id']] = {}
objects[doc['_id']]['_index'] = self.index
objects[doc['_id']]['_type'] = doc['_type']
objects[doc['_id']]['_id'] = doc['_id']
objects[doc['_id']]['_source'] = doc['_source']
return objects
|
get_objects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, search_field, search_val):\n query = ('{ size: ' + str(self.max_hits) + ', ' +\n 'query: { filtered: { filter: { ' + search_field + ': { value: \"' +\n search_val + '\"' + ' } } } } } }')\n self.connect_es()\n res = self.es.search(index=self.index, body=query)\n objects = {}\n for doc in res['hits']['hits']:\n objects[doc['_id']] = {}\n objects[doc['_id']]['_index'] = self.index\n objects[doc['_id']]['_type'] = doc['_type']\n objects[doc['_id']]['_id'] = doc['_id']\n objects[doc['_id']]['_source'] = doc['_source']\n return objects\n",
"role": "user"
},
{
"content": "get_objects",
"role": "assistant"
}
] |
def x(self, db_name):
objects = {}
dashboards = self.get_objects('type', 'dashboard')
vizs = self.get_objects('type', 'visualization')
searches = self.get_objects('type', 'search')
if db_name not in dashboards:
return None
self.pr_inf('Found dashboard: ' + db_name)
objects[db_name] = dashboards[db_name]
panels = json.loads(dashboards[db_name]['_source']['panelsJSON'])
for panel in panels:
if 'id' not in panel:
continue
pid = panel['id']
if pid in searches:
self.pr_inf('Found search: ' + pid)
objects[pid] = searches[pid]
elif pid in vizs:
self.pr_inf('Found vis: ' + pid)
objects[pid] = vizs[pid]
emb = vizs[pid].get('_source', {}).get('savedSearchId', None)
if emb is not None and emb not in objects:
if emb not in searches:
self.pr_err('Missing search %s' % emb)
return objects
objects[emb] = searches[emb]
return objects
|
get_dashboard_full
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, db_name):\n objects = {}\n dashboards = self.get_objects('type', 'dashboard')\n vizs = self.get_objects('type', 'visualization')\n searches = self.get_objects('type', 'search')\n if db_name not in dashboards:\n return None\n self.pr_inf('Found dashboard: ' + db_name)\n objects[db_name] = dashboards[db_name]\n panels = json.loads(dashboards[db_name]['_source']['panelsJSON'])\n for panel in panels:\n if 'id' not in panel:\n continue\n pid = panel['id']\n if pid in searches:\n self.pr_inf('Found search: ' + pid)\n objects[pid] = searches[pid]\n elif pid in vizs:\n self.pr_inf('Found vis: ' + pid)\n objects[pid] = vizs[pid]\n emb = vizs[pid].get('_source', {}).get('savedSearchId', None)\n if emb is not None and emb not in objects:\n if emb not in searches:\n self.pr_err('Missing search %s' % emb)\n return objects\n objects[emb] = searches[emb]\n return objects\n",
"role": "user"
},
{
"content": "get_dashboard_full",
"role": "assistant"
}
] |
def x(self, node):
spec = super(CamundaProcessParser, self).parse_node(node)
spec.data = self._parse_input_data(node)
spec.data['lane_data'] = self._get_lane_properties(node)
spec.defines = spec.data
service_class = node.get(full_attr('assignee'))
if service_class:
self.parsed_nodes[node.get('id')].service_class = node.get(full_attr
('assignee'))
return spec
|
parse_node
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n spec = super(CamundaProcessParser, self).parse_node(node)\n spec.data = self._parse_input_data(node)\n spec.data['lane_data'] = self._get_lane_properties(node)\n spec.defines = spec.data\n service_class = node.get(full_attr('assignee'))\n if service_class:\n self.parsed_nodes[node.get('id')].service_class = node.get(full_attr\n ('assignee'))\n return spec\n",
"role": "user"
},
{
"content": "parse_node",
"role": "assistant"
}
] |
def x(self):
ns = {'ns': '{%s}' % BPMN_MODEL_NS}
desc = self.doc_xpath('.//{ns}collaboration/{ns}documentation'.format(**ns)
) or self.doc_xpath('.//{ns}process/{ns}documentation'.format(**ns)
) or self.doc_xpath(
'.//{ns}collaboration/{ns}participant/{ns}documentation'.format(**ns))
if desc:
return desc[0].findtext('.')
|
get_description
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ns = {'ns': '{%s}' % BPMN_MODEL_NS}\n desc = self.doc_xpath('.//{ns}collaboration/{ns}documentation'.format(**ns)\n ) or self.doc_xpath('.//{ns}process/{ns}documentation'.format(**ns)\n ) or self.doc_xpath(\n './/{ns}collaboration/{ns}participant/{ns}documentation'.format(**ns))\n if desc:\n return desc[0].findtext('.')\n",
"role": "user"
},
{
"content": "get_description",
"role": "assistant"
}
] |
def x(self):
ns = {'ns': '{%s}' % BPMN_MODEL_NS}
for path in ('.//{ns}process', './/{ns}collaboration',
'.//{ns}collaboration/{ns}participant/'):
tag = self.doc_xpath(path.format(**ns))
if tag:
name = tag[0].get('name')
if name:
return name
return self.get_id()
|
get_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ns = {'ns': '{%s}' % BPMN_MODEL_NS}\n for path in ('.//{ns}process', './/{ns}collaboration',\n './/{ns}collaboration/{ns}participant/'):\n tag = self.doc_xpath(path.format(**ns))\n if tag:\n name = tag[0].get('name')\n if name:\n return name\n return self.get_id()\n",
"role": "user"
},
{
"content": "get_name",
"role": "assistant"
}
] |
def x(self, node):
data = DotDict()
try:
for nod in self._get_input_nodes(node):
data.update(self._parse_input_node(nod))
except Exception as e:
log.exception('Error while processing node: %s' % node)
return data
|
parse_input_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n data = DotDict()\n try:\n for nod in self._get_input_nodes(node):\n data.update(self._parse_input_node(nod))\n except Exception as e:\n log.exception('Error while processing node: %s' % node)\n return data\n",
"role": "user"
},
{
"content": "parse_input_data",
"role": "assistant"
}
] |
def x(self, node):
lane_name = self.get_lane(node.get('id'))
lane_data = {'name': lane_name}
for a in self.xpath(".//bpmn:lane[@name='%s']/*/*/" % lane_name):
lane_data[a.attrib['name']] = a.attrib['value'].strip()
return lane_data
|
get_lane_properties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n lane_name = self.get_lane(node.get('id'))\n lane_data = {'name': lane_name}\n for a in self.xpath(\".//bpmn:lane[@name='%s']/*/*/\" % lane_name):\n lane_data[a.attrib['name']] = a.attrib['value'].strip()\n return lane_data\n",
"role": "user"
},
{
"content": "get_lane_properties",
"role": "assistant"
}
] |
def x(cls, node):
data = {}
child = node.getchildren()
if not child and node.get('name'):
val = node.text
elif child:
data_typ = child[0].tag.split('}')[1]
val = getattr(cls, '_parse_%s' % data_typ)(child[0])
data[node.get('name')] = val
return data
|
parse_input_node
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, node):\n data = {}\n child = node.getchildren()\n if not child and node.get('name'):\n val = node.text\n elif child:\n data_typ = child[0].tag.split('}')[1]\n val = getattr(cls, '_parse_%s' % data_typ)(child[0])\n data[node.get('name')] = val\n return data\n",
"role": "user"
},
{
"content": "parse_input_node",
"role": "assistant"
}
] |
def x(cls, workflow_name, workflow_files):
s = StringIO()
p = cls(s, workflow_name, meta_data=[])
p.add_bpmn_files_by_glob(workflow_files)
p.create_package()
return s.getvalue()
|
package_in_memory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, workflow_name, workflow_files):\n s = StringIO()\n p = cls(s, workflow_name, meta_data=[])\n p.add_bpmn_files_by_glob(workflow_files)\n p.create_package()\n return s.getvalue()\n",
"role": "user"
},
{
"content": "package_in_memory",
"role": "assistant"
}
] |
def x(self, data):
g = self.__separate(data) if self.__cgr_type in (1, 2, 3, 4, 5, 6
) else self.__condense(data)
g.meta.update(data.meta)
return g
|
compose
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n g = self.__separate(data) if self.__cgr_type in (1, 2, 3, 4, 5, 6\n ) else self.__condense(data)\n g.meta.update(data.meta)\n return g\n",
"role": "user"
},
{
"content": "compose",
"role": "assistant"
}
] |
def x(self, atom, _map=None):
if _map is None:
_map = max(self, default=0) + 1
elif _map in self._node:
raise KeyError('atom with same number exists')
attr_dict = self.node_attr_dict_factory()
if isinstance(atom, str):
attr_dict.element = atom
elif isinstance(atom, int):
attr_dict.element = elements_list[atom - 1]
else:
attr_dict.update(atom)
self._adj[_map] = self.adjlist_inner_dict_factory()
self._node[_map] = attr_dict
self.flush_cache()
return _map
|
add_atom
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, atom, _map=None):\n if _map is None:\n _map = max(self, default=0) + 1\n elif _map in self._node:\n raise KeyError('atom with same number exists')\n attr_dict = self.node_attr_dict_factory()\n if isinstance(atom, str):\n attr_dict.element = atom\n elif isinstance(atom, int):\n attr_dict.element = elements_list[atom - 1]\n else:\n attr_dict.update(atom)\n self._adj[_map] = self.adjlist_inner_dict_factory()\n self._node[_map] = attr_dict\n self.flush_cache()\n return _map\n",
"role": "user"
},
{
"content": "add_atom",
"role": "assistant"
}
] |
def x(self, atom1, atom2, bond):
if atom1 == atom2:
raise KeyError('atom loops impossible')
if atom1 not in self._node or atom2 not in self._node:
raise KeyError('atoms not found')
if atom1 in self._adj[atom2]:
raise KeyError('atoms already bonded')
attr_dict = self.edge_attr_dict_factory()
if isinstance(bond, int):
attr_dict.order = bond
else:
attr_dict.update(bond)
self._adj[atom1][atom2] = self._adj[atom2][atom1] = attr_dict
self.flush_cache()
|
add_bond
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, atom1, atom2, bond):\n if atom1 == atom2:\n raise KeyError('atom loops impossible')\n if atom1 not in self._node or atom2 not in self._node:\n raise KeyError('atoms not found')\n if atom1 in self._adj[atom2]:\n raise KeyError('atoms already bonded')\n attr_dict = self.edge_attr_dict_factory()\n if isinstance(bond, int):\n attr_dict.order = bond\n else:\n attr_dict.update(bond)\n self._adj[atom1][atom2] = self._adj[atom2][atom1] = attr_dict\n self.flush_cache()\n",
"role": "user"
},
{
"content": "add_bond",
"role": "assistant"
}
] |
def x(self, n, m):
self.remove_edge(n, m)
self.flush_cache()
|
delete_bond
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n, m):\n self.remove_edge(n, m)\n self.flush_cache()\n",
"role": "user"
},
{
"content": "delete_bond",
"role": "assistant"
}
] |
def x(self, atom):
return tuple((bond, self._node[n]) for n, bond in self._adj[atom].items())
|
environment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, atom):\n return tuple((bond, self._node[n]) for n, bond in self._adj[atom].items())\n",
"role": "user"
},
{
"content": "environment",
"role": "assistant"
}
] |
def x(self, atoms, meta=False, as_view=True):
s = self.subgraph(atoms)
if as_view:
s.add_atom = s.add_bond = s.delete_atom = s.delete_bond = frozen
return s
s = s.copy()
if not meta:
s.graph.clear()
return s
|
substructure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, atoms, meta=False, as_view=True):\n s = self.subgraph(atoms)\n if as_view:\n s.add_atom = s.add_bond = s.delete_atom = s.delete_bond = frozen\n return s\n s = s.copy()\n if not meta:\n s.graph.clear()\n return s\n",
"role": "user"
},
{
"content": "substructure",
"role": "assistant"
}
] |
def x(self, atoms, dante=False, deep=1, meta=False, as_view=True):
nodes = [set(atoms)]
for i in range(deep):
n = {y for x in nodes[-1] for y in self._adj[x]} | nodes[-1]
if n in nodes:
break
nodes.append(n)
if dante:
return [self.substructure(a, meta, as_view) for a in nodes]
else:
return self.substructure(nodes[-1], meta, as_view)
|
augmented_substructure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, atoms, dante=False, deep=1, meta=False, as_view=True):\n nodes = [set(atoms)]\n for i in range(deep):\n n = {y for x in nodes[-1] for y in self._adj[x]} | nodes[-1]\n if n in nodes:\n break\n nodes.append(n)\n if dante:\n return [self.substructure(a, meta, as_view) for a in nodes]\n else:\n return self.substructure(nodes[-1], meta, as_view)\n",
"role": "user"
},
{
"content": "augmented_substructure",
"role": "assistant"
}
] |
def x(self, meta=False):
return [self.substructure(c, meta, False) for c in connected_components
(self)]
|
split
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, meta=False):\n return [self.substructure(c, meta, False) for c in connected_components\n (self)]\n",
"role": "user"
},
{
"content": "split",
"role": "assistant"
}
] |
def x(self):
seen = set()
for n, m_bond in self._adj.items():
seen.add(n)
for m, bond in m_bond.items():
if m not in seen:
yield n, m, bond
|
bonds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n seen = set()\n for n, m_bond in self._adj.items():\n seen.add(n)\n for m, bond in m_bond.items():\n if m not in seen:\n yield n, m, bond\n",
"role": "user"
},
{
"content": "bonds",
"role": "assistant"
}
] |
def x(name):
return next(x for x in BaseContainer.__subclasses__() if x.__name__ == name
)
|
get_subclass
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n return next(x for x in BaseContainer.__subclasses__() if x.__name__ == name\n )\n",
"role": "user"
},
{
"content": "get_subclass",
"role": "assistant"
}
] |
def x(http, proxy_info):
if not http.ca_certs:
http.ca_certs = _certifi_where_for_ssl_version()
ssl_disabled = http.disable_ssl_certificate_validation
cert_reqs = 'CERT_REQUIRED' if http.ca_certs and not ssl_disabled else None
if isinstance(proxy_info, collections.Callable):
proxy_info = proxy_info()
if proxy_info:
if proxy_info.proxy_user and proxy_info.proxy_pass:
proxy_url = 'http://{}:{}@{}:{}/'.format(proxy_info.proxy_user,
proxy_info.proxy_pass, proxy_info.proxy_host, proxy_info.
proxy_port)
proxy_headers = urllib3.util.request.make_headers(proxy_basic_auth
='{}:{}'.format(proxy_info.proxy_user, proxy_info.proxy_pass))
else:
proxy_url = 'http://{}:{}/'.format(proxy_info.proxy_host,
proxy_info.proxy_port)
proxy_headers = {}
return urllib3.ProxyManager(proxy_url=proxy_url, proxy_headers=
proxy_headers, ca_certs=http.ca_certs, cert_reqs=cert_reqs)
return urllib3.PoolManager(ca_certs=http.ca_certs, cert_reqs=cert_reqs)
|
default_make_pool
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(http, proxy_info):\n if not http.ca_certs:\n http.ca_certs = _certifi_where_for_ssl_version()\n ssl_disabled = http.disable_ssl_certificate_validation\n cert_reqs = 'CERT_REQUIRED' if http.ca_certs and not ssl_disabled else None\n if isinstance(proxy_info, collections.Callable):\n proxy_info = proxy_info()\n if proxy_info:\n if proxy_info.proxy_user and proxy_info.proxy_pass:\n proxy_url = 'http://{}:{}@{}:{}/'.format(proxy_info.proxy_user,\n proxy_info.proxy_pass, proxy_info.proxy_host, proxy_info.\n proxy_port)\n proxy_headers = urllib3.util.request.make_headers(proxy_basic_auth\n ='{}:{}'.format(proxy_info.proxy_user, proxy_info.proxy_pass))\n else:\n proxy_url = 'http://{}:{}/'.format(proxy_info.proxy_host,\n proxy_info.proxy_port)\n proxy_headers = {}\n return urllib3.ProxyManager(proxy_url=proxy_url, proxy_headers=\n proxy_headers, ca_certs=http.ca_certs, cert_reqs=cert_reqs)\n return urllib3.PoolManager(ca_certs=http.ca_certs, cert_reqs=cert_reqs)\n",
"role": "user"
},
{
"content": "default_make_pool",
"role": "assistant"
}
] |
def x(make_pool=_default_make_pool):
setattr(httplib2, '_HttpOriginal', httplib2.Http)
httplib2.Http = Http
Http._make_pool = make_pool
|
patch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(make_pool=_default_make_pool):\n setattr(httplib2, '_HttpOriginal', httplib2.Http)\n httplib2.Http = Http\n Http._make_pool = make_pool\n",
"role": "user"
},
{
"content": "patch",
"role": "assistant"
}
] |
def x(addr):
try:
socket.inet_pton(socket.AF_INET6, addr)
return True
except socket.error:
return False
|
is_ipv6
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(addr):\n try:\n socket.inet_pton(socket.AF_INET6, addr)\n return True\n except socket.error:\n return False\n",
"role": "user"
},
{
"content": "is_ipv6",
"role": "assistant"
}
] |
def x():
if not ssl:
return
if ssl.OPENSSL_VERSION_INFO < (1, 0, 2):
warnings.warn(
"You are using an outdated version of OpenSSL that can't use stronger root certificates."
)
return certifi.old_where()
return certifi.where()
|
certifi_where_for_ssl_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not ssl:\n return\n if ssl.OPENSSL_VERSION_INFO < (1, 0, 2):\n warnings.warn(\n \"You are using an outdated version of OpenSSL that can't use stronger root certificates.\"\n )\n return certifi.old_where()\n return certifi.where()\n",
"role": "user"
},
{
"content": "certifi_where_for_ssl_version",
"role": "assistant"
}
] |
def x(response, decode=False):
item = httplib2.Response(response.getheaders())
item.status = response.status
item['status'] = str(item.status)
item.reason = response.reason
item.version = response.version
if decode and item.get('content-encoding') in ['gzip', 'deflate']:
item['content-length'] = str(len(response.data))
item['-content-encoding'] = item.pop('content-encoding')
return item
|
map_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response, decode=False):\n item = httplib2.Response(response.getheaders())\n item.status = response.status\n item['status'] = str(item.status)\n item.reason = response.reason\n item.version = response.version\n if decode and item.get('content-encoding') in ['gzip', 'deflate']:\n item['content-length'] = str(len(response.data))\n item['-content-encoding'] = item.pop('content-encoding')\n return item\n",
"role": "user"
},
{
"content": "map_response",
"role": "assistant"
}
] |
def x(e):
if isinstance(e, urllib3.exceptions.MaxRetryError):
if not e.reason:
return e
e = e.reason
message = e.args[0] if e.args else ''
if isinstance(e, urllib3.exceptions.ResponseError):
if 'too many redirects' in message:
return httplib2.RedirectLimit(message)
if isinstance(e, urllib3.exceptions.NewConnectionError):
if ('Name or service not known' in message or
'nodename nor servname provided, or not known' in message):
return httplib2.ServerNotFoundError('Unable to find hostname.')
if 'Connection refused' in message:
return socket.error((errno.ECONNREFUSED, 'Connection refused'))
if isinstance(e, urllib3.exceptions.DecodeError):
return httplib2.FailedToDecompressContent(
'Content purported as compressed but not uncompressable.',
httplib2.Response({'status': 500}), '')
if isinstance(e, urllib3.exceptions.TimeoutError):
return socket.timeout('timed out')
if isinstance(e, urllib3.exceptions.SSLError):
return ssl.SSLError(*e.args)
return e
|
map_exception
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(e):\n if isinstance(e, urllib3.exceptions.MaxRetryError):\n if not e.reason:\n return e\n e = e.reason\n message = e.args[0] if e.args else ''\n if isinstance(e, urllib3.exceptions.ResponseError):\n if 'too many redirects' in message:\n return httplib2.RedirectLimit(message)\n if isinstance(e, urllib3.exceptions.NewConnectionError):\n if ('Name or service not known' in message or \n 'nodename nor servname provided, or not known' in message):\n return httplib2.ServerNotFoundError('Unable to find hostname.')\n if 'Connection refused' in message:\n return socket.error((errno.ECONNREFUSED, 'Connection refused'))\n if isinstance(e, urllib3.exceptions.DecodeError):\n return httplib2.FailedToDecompressContent(\n 'Content purported as compressed but not uncompressable.',\n httplib2.Response({'status': 500}), '')\n if isinstance(e, urllib3.exceptions.TimeoutError):\n return socket.timeout('timed out')\n if isinstance(e, urllib3.exceptions.SSLError):\n return ssl.SSLError(*e.args)\n return e\n",
"role": "user"
},
{
"content": "map_exception",
"role": "assistant"
}
] |
def x(no_subprocess, watch_paths=None, is_background=False):
import atexit, os, subprocess, signal
if watch_paths:
from watchdog.observers import Observer
from watchdog.events import FileSystemEventHandler
def x(event):
if not is_background:
print('Restarting worker due to change in %s' % event.src_path)
log.info('modified %s' % event.src_path)
try:
kill_children()
run_children()
except:
log.exception('Error while restarting worker')
handler = FileSystemEventHandler()
handler.on_modified = on_modified
child_pids = []
log.info('starting %s workers' % no_subprocess)
def x():
global child_pids
child_pids = []
for i in range(int(no_subprocess)):
proc = subprocess.Popen([sys.executable, __file__], stdout=
subprocess.PIPE, stderr=subprocess.PIPE)
child_pids.append(proc.pid)
log.info('Started worker with pid %s' % proc.pid)
def x():
log.info('Stopping worker(s)')
for pid in child_pids:
if pid is not None:
os.kill(pid, signal.SIGTERM)
run_children()
atexit.register(kill_children)
signal.signal(signal.SIGTERM, kill_children)
if watch_paths:
observer = Observer()
for path in watch_paths:
if not is_background:
print('Watching for changes under %s' % path)
observer.schedule(handler, path=path, recursive=True)
observer.start()
while 1:
try:
sleep(1)
except KeyboardInterrupt:
log.info('Keyboard interrupt, exiting')
if watch_paths:
observer.stop()
observer.join()
sys.exit(0)
|
run_workers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(no_subprocess, watch_paths=None, is_background=False):\n import atexit, os, subprocess, signal\n if watch_paths:\n from watchdog.observers import Observer\n from watchdog.events import FileSystemEventHandler\n\n def x(event):\n if not is_background:\n print('Restarting worker due to change in %s' % event.src_path)\n log.info('modified %s' % event.src_path)\n try:\n kill_children()\n run_children()\n except:\n log.exception('Error while restarting worker')\n handler = FileSystemEventHandler()\n handler.on_modified = on_modified\n child_pids = []\n log.info('starting %s workers' % no_subprocess)\n\n def x():\n global child_pids\n child_pids = []\n for i in range(int(no_subprocess)):\n proc = subprocess.Popen([sys.executable, __file__], stdout=\n subprocess.PIPE, stderr=subprocess.PIPE)\n child_pids.append(proc.pid)\n log.info('Started worker with pid %s' % proc.pid)\n\n def x():\n log.info('Stopping worker(s)')\n for pid in child_pids:\n if pid is not None:\n os.kill(pid, signal.SIGTERM)\n run_children()\n atexit.register(kill_children)\n signal.signal(signal.SIGTERM, kill_children)\n if watch_paths:\n observer = Observer()\n for path in watch_paths:\n if not is_background:\n print('Watching for changes under %s' % path)\n observer.schedule(handler, path=path, recursive=True)\n observer.start()\n while 1:\n try:\n sleep(1)\n except KeyboardInterrupt:\n log.info('Keyboard interrupt, exiting')\n if watch_paths:\n observer.stop()\n observer.join()\n sys.exit(0)\n",
"role": "user"
},
{
"content": "run_workers",
"role": "assistant"
}
] |
def x(self, signal=None, frame=None):
self.input_channel.close()
self.client_queue.close()
self.connection.close()
log.info('Worker exiting')
sys.exit(0)
|
exit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signal=None, frame=None):\n self.input_channel.close()\n self.client_queue.close()\n self.connection.close()\n log.info('Worker exiting')\n sys.exit(0)\n",
"role": "user"
},
{
"content": "exit",
"role": "assistant"
}
] |
def x(self):
self.connection = pika.BlockingConnection(BLOCKING_MQ_PARAMS)
self.client_queue = ClientQueue()
self.input_channel = self.connection.channel()
self.input_channel.exchange_declare(exchange=self.INPUT_EXCHANGE, type=
'topic', durable=True)
self.input_channel.queue_declare(queue=self.INPUT_QUEUE_NAME)
self.input_channel.queue_bind(exchange=self.INPUT_EXCHANGE, queue=self.
INPUT_QUEUE_NAME)
log.info("Bind to queue named '%s' queue with exchange '%s'" % (self.
INPUT_QUEUE_NAME, self.INPUT_EXCHANGE))
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.connection = pika.BlockingConnection(BLOCKING_MQ_PARAMS)\n self.client_queue = ClientQueue()\n self.input_channel = self.connection.channel()\n self.input_channel.exchange_declare(exchange=self.INPUT_EXCHANGE, type=\n 'topic', durable=True)\n self.input_channel.queue_declare(queue=self.INPUT_QUEUE_NAME)\n self.input_channel.queue_bind(exchange=self.INPUT_EXCHANGE, queue=self.\n INPUT_QUEUE_NAME)\n log.info(\"Bind to queue named '%s' queue with exchange '%s'\" % (self.\n INPUT_QUEUE_NAME, self.INPUT_EXCHANGE))\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self):
def x(ch, method, properties, body):
print('Removed message: %s' % body)
self.input_channel.basic_consume(remove_message, queue=self.
INPUT_QUEUE_NAME, no_ack=True)
try:
self.input_channel.start_consuming()
except (KeyboardInterrupt, SystemExit):
log.info(' Exiting')
self.exit()
|
clear_queue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(ch, method, properties, body):\n print('Removed message: %s' % body)\n self.input_channel.basic_consume(remove_message, queue=self.\n INPUT_QUEUE_NAME, no_ack=True)\n try:\n self.input_channel.start_consuming()\n except (KeyboardInterrupt, SystemExit):\n log.info(' Exiting')\n self.exit()\n",
"role": "user"
},
{
"content": "clear_queue",
"role": "assistant"
}
] |
def x(self):
self.input_channel.basic_consume(self.handle_message, queue=self.
INPUT_QUEUE_NAME, no_ack=True)
try:
self.input_channel.start_consuming()
except (KeyboardInterrupt, SystemExit):
log.info(' Exiting')
self.exit()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.input_channel.basic_consume(self.handle_message, queue=self.\n INPUT_QUEUE_NAME, no_ack=True)\n try:\n self.input_channel.start_consuming()\n except (KeyboardInterrupt, SystemExit):\n log.info(' Exiting')\n self.exit()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, ch, method, properties, body):
input = {}
headers = {}
try:
self.sessid = method.routing_key
input = json_decode(body)
data = input['data']
if 'path' in data:
if data['path'] in VIEW_METHODS:
data['view'] = data['path']
else:
data['wf'] = data['path']
session = Session(self.sessid)
headers = {'remote_ip': input['_zops_remote_ip'], 'source': input[
'_zops_source']}
if 'wf' in data:
output = self._handle_workflow(session, data, headers)
elif 'job' in data:
self._handle_job(session, data, headers)
return
else:
output = self._handle_view(session, data, headers)
except HTTPError as e:
import sys
if hasattr(sys, '_called_from_test'):
raise
output = {'cmd': 'error', 'error': self._prepare_error_msg(e.
message), 'code': e.code}
log.exception('Http error occurred')
except:
self.current = Current(session=session, input=data)
self.current.headers = headers
import sys
if hasattr(sys, '_called_from_test'):
raise
err = traceback.format_exc()
output = {'cmd': 'error', 'error': self._prepare_error_msg(err),
'code': 500}
log.exception('Worker error occurred with messsage body:\n%s' % body)
if 'callbackID' in input:
output['callbackID'] = input['callbackID']
log.info('OUTPUT for %s: %s' % (self.sessid, output))
output['reply_timestamp'] = time()
self.send_output(output)
|
handle_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ch, method, properties, body):\n input = {}\n headers = {}\n try:\n self.sessid = method.routing_key\n input = json_decode(body)\n data = input['data']\n if 'path' in data:\n if data['path'] in VIEW_METHODS:\n data['view'] = data['path']\n else:\n data['wf'] = data['path']\n session = Session(self.sessid)\n headers = {'remote_ip': input['_zops_remote_ip'], 'source': input[\n '_zops_source']}\n if 'wf' in data:\n output = self._handle_workflow(session, data, headers)\n elif 'job' in data:\n self._handle_job(session, data, headers)\n return\n else:\n output = self._handle_view(session, data, headers)\n except HTTPError as e:\n import sys\n if hasattr(sys, '_called_from_test'):\n raise\n output = {'cmd': 'error', 'error': self._prepare_error_msg(e.\n message), 'code': e.code}\n log.exception('Http error occurred')\n except:\n self.current = Current(session=session, input=data)\n self.current.headers = headers\n import sys\n if hasattr(sys, '_called_from_test'):\n raise\n err = traceback.format_exc()\n output = {'cmd': 'error', 'error': self._prepare_error_msg(err),\n 'code': 500}\n log.exception('Worker error occurred with messsage body:\\n%s' % body)\n if 'callbackID' in input:\n output['callbackID'] = input['callbackID']\n log.info('OUTPUT for %s: %s' % (self.sessid, output))\n output['reply_timestamp'] = time()\n self.send_output(output)\n",
"role": "user"
},
{
"content": "handle_message",
"role": "assistant"
}
] |
def x(start, finish):
now = datetime.now()
dif_time_start = start - now
dif_time_finish = finish - now
if dif_time_start.days < 0 and dif_time_finish.days < 0:
return PROGRESS_STATES[3][0]
elif dif_time_start.days < 0 and dif_time_finish.days >= 1:
return PROGRESS_STATES[2][0]
elif dif_time_start.days >= 1 and dif_time_finish.days >= 1:
return PROGRESS_STATES[0][0]
else:
return PROGRESS_STATES[2][0]
|
get_progress
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, finish):\n now = datetime.now()\n dif_time_start = start - now\n dif_time_finish = finish - now\n if dif_time_start.days < 0 and dif_time_finish.days < 0:\n return PROGRESS_STATES[3][0]\n elif dif_time_start.days < 0 and dif_time_finish.days >= 1:\n return PROGRESS_STATES[2][0]\n elif dif_time_start.days >= 1 and dif_time_finish.days >= 1:\n return PROGRESS_STATES[0][0]\n else:\n return PROGRESS_STATES[2][0]\n",
"role": "user"
},
{
"content": "get_progress",
"role": "assistant"
}
] |
def x(current):
wf_cache = WFCache(current)
wf_state = wf_cache.get()
if 'role_id' in wf_state:
try:
wfi = WFInstance.objects.get(key=current.input['token'])
except ObjectDoesNotExist:
wfi = WFInstance(key=current.input['token'])
wfi.wf = BPMNWorkflow.objects.get(name=wf_state['name'])
if not wfi.current_actor.exist:
try:
inv = TaskInvitation.objects.get(instance=wfi, role_id=
wf_state['role_id'])
inv.delete_other_invitations()
inv.progress = 20
inv.save()
except ObjectDoesNotExist:
current.log.exception('Invitation not found: %s' % wf_state)
except MultipleObjectsReturned:
current.log.exception('Multiple invitations found: %s' %
wf_state)
wfi.step = wf_state['step']
wfi.name = wf_state['name']
wfi.pool = wf_state['pool']
wfi.current_actor_id = str(wf_state['role_id'])
wfi.data = wf_state['data']
if wf_state['finished']:
wfi.finished = True
wfi.finish_date = wf_state['finish_date']
wf_cache.delete()
wfi.save()
else:
pass
|
sync_wf_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current):\n wf_cache = WFCache(current)\n wf_state = wf_cache.get()\n if 'role_id' in wf_state:\n try:\n wfi = WFInstance.objects.get(key=current.input['token'])\n except ObjectDoesNotExist:\n wfi = WFInstance(key=current.input['token'])\n wfi.wf = BPMNWorkflow.objects.get(name=wf_state['name'])\n if not wfi.current_actor.exist:\n try:\n inv = TaskInvitation.objects.get(instance=wfi, role_id=\n wf_state['role_id'])\n inv.delete_other_invitations()\n inv.progress = 20\n inv.save()\n except ObjectDoesNotExist:\n current.log.exception('Invitation not found: %s' % wf_state)\n except MultipleObjectsReturned:\n current.log.exception('Multiple invitations found: %s' %\n wf_state)\n wfi.step = wf_state['step']\n wfi.name = wf_state['name']\n wfi.pool = wf_state['pool']\n wfi.current_actor_id = str(wf_state['role_id'])\n wfi.data = wf_state['data']\n if wf_state['finished']:\n wfi.finished = True\n wfi.finish_date = wf_state['finish_date']\n wf_cache.delete()\n wfi.save()\n else:\n pass\n",
"role": "user"
},
{
"content": "sync_wf_cache",
"role": "assistant"
}
] |
def x(cls, name, content):
new = False
diagrams = cls.objects.filter(name=name)
if diagrams:
diagram = diagrams[0]
if diagram.body != content:
new = True
else:
new = True
if new:
diagram = cls(name=name, body=content).save()
return diagram, new
|
get_or_create_by_content
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, content):\n new = False\n diagrams = cls.objects.filter(name=name)\n if diagrams:\n diagram = diagrams[0]\n if diagram.body != content:\n new = True\n else:\n new = True\n if new:\n diagram = cls(name=name, body=content).save()\n return diagram, new\n",
"role": "user"
},
{
"content": "get_or_create_by_content",
"role": "assistant"
}
] |
def x(self):
paths = ['bpmn:collaboration/bpmn:participant/bpmn:documentation',
'bpmn:collaboration/bpmn:documentation',
'bpmn:process/bpmn:documentation']
for path in paths:
elm = self.root.find(path, NS)
if elm is not None and elm.text:
return elm.text
|
get_description
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n paths = ['bpmn:collaboration/bpmn:participant/bpmn:documentation',\n 'bpmn:collaboration/bpmn:documentation',\n 'bpmn:process/bpmn:documentation']\n for path in paths:\n elm = self.root.find(path, NS)\n if elm is not None and elm.text:\n return elm.text\n",
"role": "user"
},
{
"content": "get_description",
"role": "assistant"
}
] |
def x(self):
paths = ['bpmn:process', 'bpmn:collaboration/bpmn:participant/',
'bpmn:collaboration']
for path in paths:
tag = self.root.find(path, NS)
if tag is not None and len(tag):
name = tag.get('name')
if name:
return name
|
get_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n paths = ['bpmn:process', 'bpmn:collaboration/bpmn:participant/',\n 'bpmn:collaboration']\n for path in paths:\n tag = self.root.find(path, NS)\n if tag is not None and len(tag):\n name = tag.get('name')\n if name:\n return name\n",
"role": "user"
},
{
"content": "get_name",
"role": "assistant"
}
] |
def x(self, diagram, force=False):
no_of_running = WFInstance.objects.filter(wf=self, finished=False,
started=True).count()
if no_of_running and not force:
raise RunningInstancesExist(
"Can't update WF diagram! Running %s WF instances exists for %s" %
(no_of_running, self.name))
else:
self.xml = diagram
parser = BPMNParser(diagram.body)
self.description = parser.get_description()
self.title = parser.get_name() or self.name.replace('_', ' ').title()
extensions = dict(parser.get_wf_extensions())
self.programmable = extensions.get('programmable', False)
self.task_type = extensions.get('task_type', None)
self.menu_category = extensions.get('menu_category', settings.
DEFAULT_WF_CATEGORY_NAME)
self.save()
|
set_xml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, diagram, force=False):\n no_of_running = WFInstance.objects.filter(wf=self, finished=False,\n started=True).count()\n if no_of_running and not force:\n raise RunningInstancesExist(\n \"Can't update WF diagram! Running %s WF instances exists for %s\" %\n (no_of_running, self.name))\n else:\n self.xml = diagram\n parser = BPMNParser(diagram.body)\n self.description = parser.get_description()\n self.title = parser.get_name() or self.name.replace('_', ' ').title()\n extensions = dict(parser.get_wf_extensions())\n self.programmable = extensions.get('programmable', False)\n self.task_type = extensions.get('task_type', None)\n self.menu_category = extensions.get('menu_category', settings.\n DEFAULT_WF_CATEGORY_NAME)\n self.save()\n",
"role": "user"
},
{
"content": "set_xml",
"role": "assistant"
}
] |
def x(self, roles=None):
if roles:
wf_instances = [WFInstance(wf=self.wf, current_actor=role, task=
self, name=self.wf.name) for role in roles]
else:
wf_instances = [WFInstance(wf=self.wf, task=self, name=self.wf.name)]
if self.task_type in ['C', 'D']:
return [wfi.save() for wfi in wf_instances]
else:
wf_obj_instances = []
for wfi in wf_instances:
role = wfi.current_actor if self.task_type == 'A' else None
keys = self.get_object_keys(role)
wf_obj_instances.extend([WFInstance(wf=self.wf, current_actor=
role, task=self, name=self.wf.name, wf_object=key,
wf_object_type=self.object_type).save() for key in keys])
return wf_obj_instances
|
create_wf_instances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, roles=None):\n if roles:\n wf_instances = [WFInstance(wf=self.wf, current_actor=role, task=\n self, name=self.wf.name) for role in roles]\n else:\n wf_instances = [WFInstance(wf=self.wf, task=self, name=self.wf.name)]\n if self.task_type in ['C', 'D']:\n return [wfi.save() for wfi in wf_instances]\n else:\n wf_obj_instances = []\n for wfi in wf_instances:\n role = wfi.current_actor if self.task_type == 'A' else None\n keys = self.get_object_keys(role)\n wf_obj_instances.extend([WFInstance(wf=self.wf, current_actor=\n role, task=self, name=self.wf.name, wf_object=key,\n wf_object_type=self.object_type).save() for key in keys])\n return wf_obj_instances\n",
"role": "user"
},
{
"content": "create_wf_instances",
"role": "assistant"
}
] |
def x(self):
roles = self.get_roles()
if self.task_type in ['A', 'D']:
instances = self.create_wf_instances(roles=roles)
self.create_task_invitation(instances)
elif self.task_type in ['C', 'B']:
instances = self.create_wf_instances()
self.create_task_invitation(instances, roles)
|
create_tasks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n roles = self.get_roles()\n if self.task_type in ['A', 'D']:\n instances = self.create_wf_instances(roles=roles)\n self.create_task_invitation(instances)\n elif self.task_type in ['C', 'B']:\n instances = self.create_wf_instances()\n self.create_task_invitation(instances, roles)\n",
"role": "user"
},
{
"content": "create_tasks",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.