source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(obj, buf, offset=0):
size, pos = _DecodeVarint(buf, offset)
obj.ParseFromString(buf[offset + pos:offset + pos + size])
return pos + size
|
parseFromDelimitedString
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, buf, offset=0):\n size, pos = _DecodeVarint(buf, offset)\n obj.ParseFromString(buf[offset + pos:offset + pos + size])\n return pos + size\n",
"role": "user"
},
{
"content": "parseFromDelimitedString",
"role": "assistant"
}
] |
def x(obj, stream=None):
if stream is None:
stream = BytesIO()
_EncodeVarint(stream.write, obj.ByteSize(), True)
stream.write(obj.SerializeToString())
return stream
|
writeToDelimitedString
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, stream=None):\n if stream is None:\n stream = BytesIO()\n _EncodeVarint(stream.write, obj.ByteSize(), True)\n stream.write(obj.SerializeToString())\n return stream\n",
"role": "user"
},
{
"content": "writeToDelimitedString",
"role": "assistant"
}
] |
def x(sentence):
text = ''
for i, tok in enumerate(sentence.token):
if i != 0:
text += tok.before
text += tok.word
return text
|
to_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sentence):\n text = ''\n for i, tok in enumerate(sentence.token):\n if i != 0:\n text += tok.before\n text += tok.word\n return text\n",
"role": "user"
},
{
"content": "to_text",
"role": "assistant"
}
] |
def x(self, message, *args):
QSplashScreen.showMessage(self, message, Qt.AlignBottom | Qt.AlignRight |
Qt.AlignAbsolute, QColor(Qt.white))
|
showMessage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, *args):\n QSplashScreen.showMessage(self, message, Qt.AlignBottom | Qt.AlignRight |\n Qt.AlignAbsolute, QColor(Qt.white))\n",
"role": "user"
},
{
"content": "showMessage",
"role": "assistant"
}
] |
def x(path):
import pymediainfo
metadata = Metadata()
log.debug('pymediainfo: parsing "{path}" ...'.format(path=path))
parseRes = pymediainfo.MediaInfo.parse(str(path))
log.debug('... parsing FINISHED')
for track in parseRes.tracks:
log.debug('... found track type: "{track_type}"'.format(track_type=
track.track_type))
if track.track_type == 'Video':
duration_ms = track.duration
framerate = track.frame_rate
framecount = track.frame_count
log.debug('mode={mode}'.format(mode=track.frame_rate_mode))
if duration_ms is None or framerate is None:
log.debug(
'... Video track does not have duration and/or framerate.')
continue
log.debug(
'... duration = {duration_ms} ms, framerate = {framerate} fps'
.format(duration_ms=duration_ms, framerate=framerate))
metadata.add_metadata(MetadataVideoTrack(duration_ms=
duration_ms, framerate=float(framerate), framecount=framecount)
)
return metadata
|
parse_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n import pymediainfo\n metadata = Metadata()\n log.debug('pymediainfo: parsing \"{path}\" ...'.format(path=path))\n parseRes = pymediainfo.MediaInfo.parse(str(path))\n log.debug('... parsing FINISHED')\n for track in parseRes.tracks:\n log.debug('... found track type: \"{track_type}\"'.format(track_type=\n track.track_type))\n if track.track_type == 'Video':\n duration_ms = track.duration\n framerate = track.frame_rate\n framecount = track.frame_count\n log.debug('mode={mode}'.format(mode=track.frame_rate_mode))\n if duration_ms is None or framerate is None:\n log.debug(\n '... Video track does not have duration and/or framerate.')\n continue\n log.debug(\n '... duration = {duration_ms} ms, framerate = {framerate} fps'\n .format(duration_ms=duration_ms, framerate=framerate))\n metadata.add_metadata(MetadataVideoTrack(duration_ms=\n duration_ms, framerate=float(framerate), framecount=framecount)\n )\n return metadata\n",
"role": "user"
},
{
"content": "parse_path",
"role": "assistant"
}
] |
def x(self):
if self._is_metadata_init():
return
try:
log.debug('Reading metadata of "{path}" ...'.format(path=self.
_filepath))
data = metadata.parse(self._filepath)
videotracks = data.get_videotracks()
if len(videotracks) > 0:
self._fps = videotracks[0].get_framerate()
self._time_ms = videotracks[0].get_duration_ms()
self._framecount = videotracks[0].get_framecount()
except:
log.debug('... FAIL')
log.exception('Exception was thrown.')
|
read_metadata
|
[
{
"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._is_metadata_init():\n return\n try:\n log.debug('Reading metadata of \"{path}\" ...'.format(path=self.\n _filepath))\n data = metadata.parse(self._filepath)\n videotracks = data.get_videotracks()\n if len(videotracks) > 0:\n self._fps = videotracks[0].get_framerate()\n self._time_ms = videotracks[0].get_duration_ms()\n self._framecount = videotracks[0].get_framecount()\n except:\n log.debug('... FAIL')\n log.exception('Exception was thrown.')\n",
"role": "user"
},
{
"content": "read_metadata",
"role": "assistant"
}
] |
def x(self):
if self._size is None:
self._size = self._filepath.stat().st_size
return self._size
|
get_size
|
[
{
"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._size is None:\n self._size = self._filepath.stat().st_size\n return self._size\n",
"role": "user"
},
{
"content": "get_size",
"role": "assistant"
}
] |
def x(self):
if self._osdb_hash is None:
self._osdb_hash = self._calculate_osdb_hash()
return self._osdb_hash
|
get_osdb_hash
|
[
{
"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._osdb_hash is None:\n self._osdb_hash = self._calculate_osdb_hash()\n return self._osdb_hash\n",
"role": "user"
},
{
"content": "get_osdb_hash",
"role": "assistant"
}
] |
def x(self):
log.debug('_calculate_OSDB_hash() of "{path}" ...'.format(path=self.
_filepath))
f = self._filepath.open(mode='rb')
file_size = self.get_size()
longlong_format = 'Q'
size_longlong = struct.calcsize(longlong_format)
block_size = min(file_size, 64 << 10)
block_size = block_size & ~(size_longlong - 1)
nb_longlong = block_size // size_longlong
fmt = '<{nbll}{member_format}'.format(nbll=nb_longlong, member_format=
longlong_format)
hash_int = file_size
buffer = f.read(block_size)
list_longlong = struct.unpack(fmt, buffer)
hash_int += sum(list_longlong)
f.seek(-block_size, os.SEEK_END)
buffer = f.read(block_size)
list_longlong = struct.unpack(fmt, buffer)
hash_int += sum(list_longlong)
f.close()
hash_str = '{:016x}'.format(hash_int)[-16:]
log.debug('hash("{}")={}'.format(self.get_filepath(), hash_str))
return hash_str
|
calculate_osdb_hash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.debug('_calculate_OSDB_hash() of \"{path}\" ...'.format(path=self.\n _filepath))\n f = self._filepath.open(mode='rb')\n file_size = self.get_size()\n longlong_format = 'Q'\n size_longlong = struct.calcsize(longlong_format)\n block_size = min(file_size, 64 << 10)\n block_size = block_size & ~(size_longlong - 1)\n nb_longlong = block_size // size_longlong\n fmt = '<{nbll}{member_format}'.format(nbll=nb_longlong, member_format=\n longlong_format)\n hash_int = file_size\n buffer = f.read(block_size)\n list_longlong = struct.unpack(fmt, buffer)\n hash_int += sum(list_longlong)\n f.seek(-block_size, os.SEEK_END)\n buffer = f.read(block_size)\n list_longlong = struct.unpack(fmt, buffer)\n hash_int += sum(list_longlong)\n f.close()\n hash_str = '{:016x}'.format(hash_int)[-16:]\n log.debug('hash(\"{}\")={}'.format(self.get_filepath(), hash_str))\n return hash_str\n",
"role": "user"
},
{
"content": "calculate_osdb_hash",
"role": "assistant"
}
] |
def x(name: str) ->ModuleType:
logger.debug('Importing module: %s', name)
if name == main_module_name():
return main_module
return importlib.import_module(name)
|
import_module
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str) ->ModuleType:\n logger.debug('Importing module: %s', name)\n if name == main_module_name():\n return main_module\n return importlib.import_module(name)\n",
"role": "user"
},
{
"content": "import_module",
"role": "assistant"
}
] |
def x() ->str:
if not hasattr(main_module, '__file__'):
return None
main_filename = os.path.basename(main_module.__file__)
module_name, ext = os.path.splitext(main_filename)
return module_name
|
main_module_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->str:\n if not hasattr(main_module, '__file__'):\n return None\n main_filename = os.path.basename(main_module.__file__)\n module_name, ext = os.path.splitext(main_filename)\n return module_name\n",
"role": "user"
},
{
"content": "main_module_name",
"role": "assistant"
}
] |
def x(src_file, destination_path):
with open(destination_path, 'wb') as destination_file:
shutil.copyfileobj(fsrc=src_file, fdst=destination_file)
|
write_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src_file, destination_path):\n with open(destination_path, 'wb') as destination_file:\n shutil.copyfileobj(fsrc=src_file, fdst=destination_file)\n",
"role": "user"
},
{
"content": "write_stream",
"role": "assistant"
}
] |
def x(byte_index=0, file_starts=[0]):
i = 1
while i <= len(file_starts):
start = file_starts[-i]
if start <= byte_index:
return len(file_starts) - i
else:
i += 1
else:
raise Exception('byte_index lower than all file_starts')
|
get_rightmost_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(byte_index=0, file_starts=[0]):\n i = 1\n while i <= len(file_starts):\n start = file_starts[-i]\n if start <= byte_index:\n return len(file_starts) - i\n else:\n i += 1\n else:\n raise Exception('byte_index lower than all file_starts')\n",
"role": "user"
},
{
"content": "get_rightmost_index",
"role": "assistant"
}
] |
def x(self, byte_index, block):
while block:
rightmost = get_rightmost_index(byte_index=byte_index, file_starts=
self.file_starts)
if rightmost in self.want_file_pos:
return rightmost, byte_index, block
else:
file_start = self.file_starts[rightmost]
file_length = self.file_list[rightmost]['length']
bytes_rem = file_start + file_length - byte_index
if len(block) > bytes_rem:
block = block[bytes_rem:]
byte_index = byte_index + bytes_rem
else:
block = ''
else:
return None
|
get_next_want_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, byte_index, block):\n while block:\n rightmost = get_rightmost_index(byte_index=byte_index, file_starts=\n self.file_starts)\n if rightmost in self.want_file_pos:\n return rightmost, byte_index, block\n else:\n file_start = self.file_starts[rightmost]\n file_length = self.file_list[rightmost]['length']\n bytes_rem = file_start + file_length - byte_index\n if len(block) > bytes_rem:\n block = block[bytes_rem:]\n byte_index = byte_index + bytes_rem\n else:\n block = ''\n else:\n return None\n",
"role": "user"
},
{
"content": "get_next_want_file",
"role": "assistant"
}
] |
def x(self):
init_dict = {}
init_dict['kind'] = 'init'
assert len(self.want_file_pos) == len(self.heads_and_tails)
init_dict['want_file_pos'] = self.want_file_pos
init_dict['files'] = self.file_list
init_dict['heads_and_tails'] = self.heads_and_tails
init_dict['num_pieces'] = self.num_pieces
self.broadcast(init_dict)
|
vis_init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n init_dict = {}\n init_dict['kind'] = 'init'\n assert len(self.want_file_pos) == len(self.heads_and_tails)\n init_dict['want_file_pos'] = self.want_file_pos\n init_dict['files'] = self.file_list\n init_dict['heads_and_tails'] = self.heads_and_tails\n init_dict['num_pieces'] = self.num_pieces\n self.broadcast(init_dict)\n",
"role": "user"
},
{
"content": "vis_init",
"role": "assistant"
}
] |
def x(self, data_dict):
if self.vis_socket:
self.queued_messages.append(data_dict)
self.send_all_updates()
|
broadcast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_dict):\n if self.vis_socket:\n self.queued_messages.append(data_dict)\n self.send_all_updates()\n",
"role": "user"
},
{
"content": "broadcast",
"role": "assistant"
}
] |
def x(canonical):
in_dict = dict(canonical)
def x(in_str):
out_str = str(len(in_str)) + ':' + in_str
return out_str
def x(in_int):
out_str = str('i' + str(in_int) + 'e')
return out_str
def x(in_list):
out_str = 'l'
for item in in_list:
out_str += encode_item(item)
else:
out_str += 'e'
return out_str
def x(in_dict):
out_str = 'd'
keys = sorted(in_dict.keys())
for key in keys:
val = in_dict[key]
out_str = out_str + encode_item(key) + encode_item(val)
else:
out_str += 'e'
return out_str
def x(x):
if isinstance(x, str):
return encode_str(x)
elif isinstance(x, int):
return encode_int(x)
elif isinstance(x, list):
return encode_list(x)
elif isinstance(x, dict):
return encode_dict(x)
return encode_item(in_dict)
|
bencode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(canonical):\n in_dict = dict(canonical)\n\n def x(in_str):\n out_str = str(len(in_str)) + ':' + in_str\n return out_str\n\n def x(in_int):\n out_str = str('i' + str(in_int) + 'e')\n return out_str\n\n def x(in_list):\n out_str = 'l'\n for item in in_list:\n out_str += encode_item(item)\n else:\n out_str += 'e'\n return out_str\n\n def x(in_dict):\n out_str = 'd'\n keys = sorted(in_dict.keys())\n for key in keys:\n val = in_dict[key]\n out_str = out_str + encode_item(key) + encode_item(val)\n else:\n out_str += 'e'\n return out_str\n\n def x(x):\n if isinstance(x, str):\n return encode_str(x)\n elif isinstance(x, int):\n return encode_int(x)\n elif isinstance(x, list):\n return encode_list(x)\n elif isinstance(x, dict):\n return encode_dict(x)\n return encode_item(in_dict)\n",
"role": "user"
},
{
"content": "bencode",
"role": "assistant"
}
] |
def x(bstring):
def x():
i = reader.next()
if i.isdigit():
str_len = get_len(i)
return get_str(str_len)
if i == 'd':
return get_dict()
if i == 'l':
return get_list()
if i == 'i':
return get_int()
if i == 'e':
return None
def x(i=''):
len_str = str(i)
next_char = reader.next()
if next_char == 'e':
return None
while next_char is not ':':
len_str += next_char
next_char = reader.next()
else:
return int(len_str)
def x():
this_dict = {}
while 1:
str_len = get_len()
if str_len is None:
return this_dict
key = get_str(str_len)
val = get_val()
this_dict[key] = val
def x():
int_str = ''
i = reader.next()
while i is not 'e':
int_str += i
i = reader.next()
else:
return int(int_str)
def x(str_len):
this_str = ''
for i in range(str_len):
this_str += reader.next()
return this_str
def x():
this_list = []
while 1:
val = get_val()
if not val:
return this_list
this_list.append(val)
reader = _readchar(bstring)
dict_repr = get_val()
return dict_repr
|
bdecode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bstring):\n\n def x():\n i = reader.next()\n if i.isdigit():\n str_len = get_len(i)\n return get_str(str_len)\n if i == 'd':\n return get_dict()\n if i == 'l':\n return get_list()\n if i == 'i':\n return get_int()\n if i == 'e':\n return None\n\n def x(i=''):\n len_str = str(i)\n next_char = reader.next()\n if next_char == 'e':\n return None\n while next_char is not ':':\n len_str += next_char\n next_char = reader.next()\n else:\n return int(len_str)\n\n def x():\n this_dict = {}\n while 1:\n str_len = get_len()\n if str_len is None:\n return this_dict\n key = get_str(str_len)\n val = get_val()\n this_dict[key] = val\n\n def x():\n int_str = ''\n i = reader.next()\n while i is not 'e':\n int_str += i\n i = reader.next()\n else:\n return int(int_str)\n\n def x(str_len):\n this_str = ''\n for i in range(str_len):\n this_str += reader.next()\n return this_str\n\n def x():\n this_list = []\n while 1:\n val = get_val()\n if not val:\n return this_list\n this_list.append(val)\n reader = _readchar(bstring)\n dict_repr = get_val()\n return dict_repr\n",
"role": "user"
},
{
"content": "bdecode",
"role": "assistant"
}
] |
def x(self):
payload = {}
hashed_info = hashlib.sha1(tparser.bencode(self.torrent_dict['info']))
self.hash_string = hashed_info.digest()
self.peer_id = '-DR' + VERSION + ''.join(random.sample(ALPHANUM, 13))
assert len(self.peer_id) == 20
payload['info_hash'] = self.hash_string
payload['peer_id'] = self.peer_id
payload['port'] = self.port
payload['uploaded'] = 0
payload['downloaded'] = 0
payload['left'] = self.length
payload['compact'] = 1
payload['supportcrypto'] = 1
payload['event'] = 'started'
return payload
|
build_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n payload = {}\n hashed_info = hashlib.sha1(tparser.bencode(self.torrent_dict['info']))\n self.hash_string = hashed_info.digest()\n self.peer_id = '-DR' + VERSION + ''.join(random.sample(ALPHANUM, 13))\n assert len(self.peer_id) == 20\n payload['info_hash'] = self.hash_string\n payload['peer_id'] = self.peer_id\n payload['port'] = self.port\n payload['uploaded'] = 0\n payload['downloaded'] = 0\n payload['left'] = self.length\n payload['compact'] = 1\n payload['supportcrypto'] = 1\n payload['event'] = 'started'\n return payload\n",
"role": "user"
},
{
"content": "build_payload",
"role": "assistant"
}
] |
def x(self):
assert self.torrent_dict['info']
payload = self.build_payload()
if self.torrent_dict['announce'].startswith('udp'):
raise Exception('need to deal with UDP')
else:
self.r = requests.get(self.torrent_dict['announce'], params=payload)
self.tracker_response = tparser.bdecode(self.r.content)
self.get_peer_ips()
|
tracker_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.torrent_dict['info']\n payload = self.build_payload()\n if self.torrent_dict['announce'].startswith('udp'):\n raise Exception('need to deal with UDP')\n else:\n self.r = requests.get(self.torrent_dict['announce'], params=payload)\n self.tracker_response = tparser.bdecode(self.r.content)\n self.get_peer_ips()\n",
"role": "user"
},
{
"content": "tracker_request",
"role": "assistant"
}
] |
def x(self):
presponse = [ord(i) for i in self.tracker_response['peers']]
while presponse:
peer_ip = '.'.join(str(x) for x in presponse[0:4]), 256 * presponse[4
] + presponse[5]
if peer_ip not in self.peer_ips:
self.peer_ips.append(peer_ip)
presponse = presponse[6:]
|
get_peer_ips
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n presponse = [ord(i) for i in self.tracker_response['peers']]\n while presponse:\n peer_ip = '.'.join(str(x) for x in presponse[0:4]), 256 * presponse[4\n ] + presponse[5]\n if peer_ip not in self.peer_ips:\n self.peer_ips.append(peer_ip)\n presponse = presponse[6:]\n",
"role": "user"
},
{
"content": "get_peer_ips",
"role": "assistant"
}
] |
def x(self, sock):
location_json = requests.request('GET', 'http://freegeoip.net/json/' +
sock.getpeername()[0]).content
location = json.loads(location_json)
tpeer = peer.Peer(sock, self.reactor, self, location)
self.peer_dict[sock] = tpeer
self.reactor.select_list.append(tpeer)
|
initpeer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sock):\n location_json = requests.request('GET', 'http://freegeoip.net/json/' +\n sock.getpeername()[0]).content\n location = json.loads(location_json)\n tpeer = peer.Peer(sock, self.reactor, self, location)\n self.peer_dict[sock] = tpeer\n self.reactor.select_list.append(tpeer)\n",
"role": "user"
},
{
"content": "initpeer",
"role": "assistant"
}
] |
def x(self):
if self._client is not None:
try:
self._client.server_info()
except ConnectionFailure:
return False
return True
else:
return False
|
is_connected
|
[
{
"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._client is not None:\n try:\n self._client.server_info()\n except ConnectionFailure:\n return False\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "is_connected",
"role": "assistant"
}
] |
def x(self):
mongodb_args = {'host': self.host, 'port': self.port, 'username': self.
_username, 'password': self._password, 'authSource': self.
_auth_source, 'serverSelectionTimeoutMS': self._connect_timeout}
if self._auth_mechanism is not None:
mongodb_args['authMechanism'] = self._auth_mechanism
self._client = MongoClient(**mongodb_args)
if self._handle_reconnect:
self._client = MongoClientProxy(self._client)
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mongodb_args = {'host': self.host, 'port': self.port, 'username': self.\n _username, 'password': self._password, 'authSource': self.\n _auth_source, 'serverSelectionTimeoutMS': self._connect_timeout}\n if self._auth_mechanism is not None:\n mongodb_args['authMechanism'] = self._auth_mechanism\n self._client = MongoClient(**mongodb_args)\n if self._handle_reconnect:\n self._client = MongoClientProxy(self._client)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, workflow_id):
try:
db = self._client[self.database]
col = db[WORKFLOW_DATA_COLLECTION_NAME]
return col.find_one({'_id': ObjectId(workflow_id)}) is not None
except ConnectionFailure:
raise DataStoreNotConnected()
|
exists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workflow_id):\n try:\n db = self._client[self.database]\n col = db[WORKFLOW_DATA_COLLECTION_NAME]\n return col.find_one({'_id': ObjectId(workflow_id)}) is not None\n except ConnectionFailure:\n raise DataStoreNotConnected()\n",
"role": "user"
},
{
"content": "exists",
"role": "assistant"
}
] |
def x(self, payload=None):
try:
db = self._client[self.database]
col = db[WORKFLOW_DATA_COLLECTION_NAME]
return str(col.insert_one({DataStoreDocumentSection.Meta: payload if
isinstance(payload, dict) else {}, DataStoreDocumentSection.
Data: {}}).inserted_id)
except ConnectionFailure:
raise DataStoreNotConnected()
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload=None):\n try:\n db = self._client[self.database]\n col = db[WORKFLOW_DATA_COLLECTION_NAME]\n return str(col.insert_one({DataStoreDocumentSection.Meta: payload if\n isinstance(payload, dict) else {}, DataStoreDocumentSection.\n Data: {}}).inserted_id)\n except ConnectionFailure:\n raise DataStoreNotConnected()\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, workflow_id):
try:
db = self._client[self.database]
fs = GridFSProxy(GridFS(db.unproxied_object))
for grid_doc in fs.find({'workflow_id': workflow_id},
no_cursor_timeout=True):
fs.delete(grid_doc._id)
col = db[WORKFLOW_DATA_COLLECTION_NAME]
return col.delete_one({'_id': ObjectId(workflow_id)})
except ConnectionFailure:
raise DataStoreNotConnected()
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workflow_id):\n try:\n db = self._client[self.database]\n fs = GridFSProxy(GridFS(db.unproxied_object))\n for grid_doc in fs.find({'workflow_id': workflow_id},\n no_cursor_timeout=True):\n fs.delete(grid_doc._id)\n col = db[WORKFLOW_DATA_COLLECTION_NAME]\n return col.delete_one({'_id': ObjectId(workflow_id)})\n except ConnectionFailure:\n raise DataStoreNotConnected()\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, workflow_id):
try:
db = self._client[self.database]
fs = GridFSProxy(GridFS(db.unproxied_object))
return DataStoreDocument(db[WORKFLOW_DATA_COLLECTION_NAME], fs,
workflow_id)
except ConnectionFailure:
raise DataStoreNotConnected()
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workflow_id):\n try:\n db = self._client[self.database]\n fs = GridFSProxy(GridFS(db.unproxied_object))\n return DataStoreDocument(db[WORKFLOW_DATA_COLLECTION_NAME], fs,\n workflow_id)\n except ConnectionFailure:\n raise DataStoreNotConnected()\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, key, default=None, *, section=DataStoreDocumentSection.Data):
key_notation = '.'.join([section, key])
try:
return self._decode_value(self._data_from_dotnotation(key_notation,
default))
except KeyError:
return None
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None, *, section=DataStoreDocumentSection.Data):\n key_notation = '.'.join([section, key])\n try:\n return self._decode_value(self._data_from_dotnotation(key_notation,\n default))\n except KeyError:\n return None\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, key, value, *, section=DataStoreDocumentSection.Data):
key_notation = '.'.join([section, key])
try:
self._delete_gridfs_data(self._data_from_dotnotation(key_notation,
default=None))
except KeyError:
logger.info('Adding new field {} to the data store'.format(
key_notation))
result = self._collection.update_one({'_id': ObjectId(self._workflow_id
)}, {'$set': {key_notation: self._encode_value(value)},
'$currentDate': {'lastModified': True}})
return result.modified_count == 1
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, *, section=DataStoreDocumentSection.Data):\n key_notation = '.'.join([section, key])\n try:\n self._delete_gridfs_data(self._data_from_dotnotation(key_notation,\n default=None))\n except KeyError:\n logger.info('Adding new field {} to the data store'.format(\n key_notation))\n result = self._collection.update_one({'_id': ObjectId(self._workflow_id\n )}, {'$set': {key_notation: self._encode_value(value)},\n '$currentDate': {'lastModified': True}})\n return result.modified_count == 1\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, key, value, *, section=DataStoreDocumentSection.Data):
key_notation = '.'.join([section, key])
result = self._collection.update_one({'_id': ObjectId(self._workflow_id
)}, {'$push': {key_notation: self._encode_value(value)},
'$currentDate': {'lastModified': True}})
return result.modified_count == 1
|
push
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, *, section=DataStoreDocumentSection.Data):\n key_notation = '.'.join([section, key])\n result = self._collection.update_one({'_id': ObjectId(self._workflow_id\n )}, {'$push': {key_notation: self._encode_value(value)},\n '$currentDate': {'lastModified': True}})\n return result.modified_count == 1\n",
"role": "user"
},
{
"content": "push",
"role": "assistant"
}
] |
def x(self, key, values, *, section=DataStoreDocumentSection.Data):
key_notation = '.'.join([section, key])
if not isinstance(values, list):
return False
result = self._collection.update_one({'_id': ObjectId(self._workflow_id
)}, {'$push': {key_notation: {'$each': self._encode_value(values)}},
'$currentDate': {'lastModified': True}})
return result.modified_count == 1
|
extend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, values, *, section=DataStoreDocumentSection.Data):\n key_notation = '.'.join([section, key])\n if not isinstance(values, list):\n return False\n result = self._collection.update_one({'_id': ObjectId(self._workflow_id\n )}, {'$push': {key_notation: {'$each': self._encode_value(values)}},\n '$currentDate': {'lastModified': True}})\n return result.modified_count == 1\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(self, key, default=None):
if key is None:
raise KeyError('NoneType is not a valid key!')
doc = self._collection.find_one({'_id': ObjectId(self._workflow_id)})
if doc is None:
return default
for k in key.split('.'):
doc = doc[k]
return doc
|
data_from_dotnotation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None):\n if key is None:\n raise KeyError('NoneType is not a valid key!')\n doc = self._collection.find_one({'_id': ObjectId(self._workflow_id)})\n if doc is None:\n return default\n for k in key.split('.'):\n doc = doc[k]\n return doc\n",
"role": "user"
},
{
"content": "data_from_dotnotation",
"role": "assistant"
}
] |
def x(self, value):
if isinstance(value, (int, float, str, bool, datetime)):
return value
elif isinstance(value, list):
return [self._encode_value(item) for item in value]
elif isinstance(value, dict):
result = {}
for key, item in value.items():
result[key] = self._encode_value(item)
return result
else:
return self._gridfs.put(Binary(pickle.dumps(value)), workflow_id=
self._workflow_id)
|
encode_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if isinstance(value, (int, float, str, bool, datetime)):\n return value\n elif isinstance(value, list):\n return [self._encode_value(item) for item in value]\n elif isinstance(value, dict):\n result = {}\n for key, item in value.items():\n result[key] = self._encode_value(item)\n return result\n else:\n return self._gridfs.put(Binary(pickle.dumps(value)), workflow_id=\n self._workflow_id)\n",
"role": "user"
},
{
"content": "encode_value",
"role": "assistant"
}
] |
def x(self, value):
if isinstance(value, (int, float, str, bool, datetime)):
return value
elif isinstance(value, list):
return [self._decode_value(item) for item in value]
elif isinstance(value, dict):
result = {}
for key, item in value.items():
result[key] = self._decode_value(item)
return result
elif isinstance(value, ObjectId):
if self._gridfs.exists({'_id': value}):
return pickle.loads(self._gridfs.get(value).read())
else:
raise DataStoreGridfsIdInvalid()
else:
raise DataStoreDecodeUnknownType()
|
decode_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if isinstance(value, (int, float, str, bool, datetime)):\n return value\n elif isinstance(value, list):\n return [self._decode_value(item) for item in value]\n elif isinstance(value, dict):\n result = {}\n for key, item in value.items():\n result[key] = self._decode_value(item)\n return result\n elif isinstance(value, ObjectId):\n if self._gridfs.exists({'_id': value}):\n return pickle.loads(self._gridfs.get(value).read())\n else:\n raise DataStoreGridfsIdInvalid()\n else:\n raise DataStoreDecodeUnknownType()\n",
"role": "user"
},
{
"content": "decode_value",
"role": "assistant"
}
] |
def x(self, data):
if isinstance(data, ObjectId):
if self._gridfs.exists({'_id': data}):
self._gridfs.delete(data)
else:
raise DataStoreGridfsIdInvalid()
elif isinstance(data, list):
for item in data:
self._delete_gridfs_data(item)
elif isinstance(data, dict):
for key, item in data.items():
self._delete_gridfs_data(item)
|
delete_gridfs_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if isinstance(data, ObjectId):\n if self._gridfs.exists({'_id': data}):\n self._gridfs.delete(data)\n else:\n raise DataStoreGridfsIdInvalid()\n elif isinstance(data, list):\n for item in data:\n self._delete_gridfs_data(item)\n elif isinstance(data, dict):\n for key, item in data.items():\n self._delete_gridfs_data(item)\n",
"role": "user"
},
{
"content": "delete_gridfs_data",
"role": "assistant"
}
] |
def x(callsign):
callsign = callsign.upper()
homecall = re.search(
'[\\d]{0,1}[A-Z]{1,2}\\d([A-Z]{1,4}|\\d{3,3}|\\d{1,3}[A-Z])[A-Z]{0,5}',
callsign)
if homecall:
homecall = homecall.group(0)
return homecall
else:
raise ValueError
|
get_homecall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callsign):\n callsign = callsign.upper()\n homecall = re.search(\n '[\\\\d]{0,1}[A-Z]{1,2}\\\\d([A-Z]{1,4}|\\\\d{3,3}|\\\\d{1,3}[A-Z])[A-Z]{0,5}',\n callsign)\n if homecall:\n homecall = homecall.group(0)\n return homecall\n else:\n raise ValueError\n",
"role": "user"
},
{
"content": "get_homecall",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
prefix = callsign
if re.search('(VK|AX|VI)9[A-Z]{3}', callsign):
if timestamp > datetime(2006, 1, 1, tzinfo=UTC):
prefix = callsign[0:3] + callsign[4:5]
while len(prefix) > 0:
try:
return self._lookuplib.lookup_prefix(prefix, timestamp)
except KeyError:
prefix = prefix.replace(' ', '')[:-1]
continue
raise KeyError
|
iterate_prefix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n prefix = callsign\n if re.search('(VK|AX|VI)9[A-Z]{3}', callsign):\n if timestamp > datetime(2006, 1, 1, tzinfo=UTC):\n prefix = callsign[0:3] + callsign[4:5]\n while len(prefix) > 0:\n try:\n return self._lookuplib.lookup_prefix(prefix, timestamp)\n except KeyError:\n prefix = prefix.replace(' ', '')[:-1]\n continue\n raise KeyError\n",
"role": "user"
},
{
"content": "iterate_prefix",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
entire_callsign = callsign.upper()
if re.search('[/A-Z0-9\\-]{3,15}', entire_callsign):
if re.search('\\-\\d{1,3}$', entire_callsign):
callsign = re.sub('\\-\\d{1,3}$', '', entire_callsign)
if re.search('/[A-Z0-9]{1,4}/[A-Z0-9]{1,4}$', callsign):
callsign = re.sub('/[A-Z0-9]{1,4}$', '', callsign)
if re.search('[A-Z0-9]{4,10}/[A-Z0-9]{2,4}$', callsign):
appendix = re.search('/[A-Z0-9]{2,4}$', callsign)
appendix = re.sub('/', '', appendix.group(0))
self._logger.debug('appendix: ' + appendix)
if appendix == 'MM':
return {'adif': 999, 'continent': '', 'country':
'MARITIME MOBILE', 'cqz': 0, 'latitude': 0.0,
'longitude': 0.0}
elif appendix == 'AM':
return {'adif': 998, 'continent': '', 'country':
'AIRCAFT MOBILE', 'cqz': 0, 'latitude': 0.0,
'longitude': 0.0}
elif appendix == 'QRP':
callsign = re.sub('/QRP', '', callsign)
return self._iterate_prefix(callsign, timestamp)
elif appendix == 'QRPP':
callsign = re.sub('/QRPP', '', callsign)
return self._iterate_prefix(callsign, timestamp)
elif appendix == 'BCN':
callsign = re.sub('/BCN', '', callsign)
data = self._iterate_prefix(callsign, timestamp).copy()
data[const.BEACON] = True
return data
elif appendix == 'LH':
callsign = re.sub('/LH', '', callsign)
return self._iterate_prefix(callsign, timestamp)
elif re.search('[A-Z]{3}', appendix):
callsign = re.sub('/[A-Z]{3}$', '', callsign)
return self._iterate_prefix(callsign, timestamp)
else:
return self._iterate_prefix(re.sub('/', '', appendix),
timestamp)
elif re.search('/[A-Z0-9]$', callsign):
appendix = re.search('/[A-Z0-9]$', callsign)
appendix = re.sub('/', '', appendix.group(0))
if appendix == 'B':
callsign = re.sub('/B', '', callsign)
data = self._iterate_prefix(callsign, timestamp).copy()
data[const.BEACON] = True
return data
elif re.search('\\d$', appendix):
area_nr = re.search('\\d$', appendix).group(0)
callsign = re.sub('/\\d$', '', callsign)
if len(re.findall('\\d+', callsign)) == 1:
callsign = re.sub('[\\d]+', area_nr, callsign)
else:
pass
return self._iterate_prefix(callsign, timestamp)
else:
return self._iterate_prefix(callsign, timestamp)
elif re.match(
'^[\\d]{0,1}[A-Z]{1,2}\\d([A-Z]{1,4}|\\d{3,3}|\\d{1,3}[A-Z])[A-Z]{0,5}$'
, callsign):
return self._iterate_prefix(callsign, timestamp)
elif re.search('^[A-Z0-9]{1,4}/', entire_callsign):
pfx = re.search('^[A-Z0-9]{1,4}/', entire_callsign)
pfx = re.sub('/', '', pfx.group(0))
rest = re.search('/[A-Z0-9]+', entire_callsign)
rest = re.sub('/', '', rest.group(0))
if re.match(
'^[\\d]{0,1}[A-Z]{1,2}\\d([A-Z]{1,4}|\\d{3,3}|\\d{1,3}[A-Z])[A-Z]{0,5}$'
, rest):
return self._iterate_prefix(pfx)
if entire_callsign in callsign_exceptions:
return self._iterate_prefix(callsign_exceptions[entire_callsign])
self._logger.debug('Could not decode ' + callsign)
raise KeyError('Callsign could not be decoded')
|
dismantle_callsign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n entire_callsign = callsign.upper()\n if re.search('[/A-Z0-9\\\\-]{3,15}', entire_callsign):\n if re.search('\\\\-\\\\d{1,3}$', entire_callsign):\n callsign = re.sub('\\\\-\\\\d{1,3}$', '', entire_callsign)\n if re.search('/[A-Z0-9]{1,4}/[A-Z0-9]{1,4}$', callsign):\n callsign = re.sub('/[A-Z0-9]{1,4}$', '', callsign)\n if re.search('[A-Z0-9]{4,10}/[A-Z0-9]{2,4}$', callsign):\n appendix = re.search('/[A-Z0-9]{2,4}$', callsign)\n appendix = re.sub('/', '', appendix.group(0))\n self._logger.debug('appendix: ' + appendix)\n if appendix == 'MM':\n return {'adif': 999, 'continent': '', 'country':\n 'MARITIME MOBILE', 'cqz': 0, 'latitude': 0.0,\n 'longitude': 0.0}\n elif appendix == 'AM':\n return {'adif': 998, 'continent': '', 'country':\n 'AIRCAFT MOBILE', 'cqz': 0, 'latitude': 0.0,\n 'longitude': 0.0}\n elif appendix == 'QRP':\n callsign = re.sub('/QRP', '', callsign)\n return self._iterate_prefix(callsign, timestamp)\n elif appendix == 'QRPP':\n callsign = re.sub('/QRPP', '', callsign)\n return self._iterate_prefix(callsign, timestamp)\n elif appendix == 'BCN':\n callsign = re.sub('/BCN', '', callsign)\n data = self._iterate_prefix(callsign, timestamp).copy()\n data[const.BEACON] = True\n return data\n elif appendix == 'LH':\n callsign = re.sub('/LH', '', callsign)\n return self._iterate_prefix(callsign, timestamp)\n elif re.search('[A-Z]{3}', appendix):\n callsign = re.sub('/[A-Z]{3}$', '', callsign)\n return self._iterate_prefix(callsign, timestamp)\n else:\n return self._iterate_prefix(re.sub('/', '', appendix),\n timestamp)\n elif re.search('/[A-Z0-9]$', callsign):\n appendix = re.search('/[A-Z0-9]$', callsign)\n appendix = re.sub('/', '', appendix.group(0))\n if appendix == 'B':\n callsign = re.sub('/B', '', callsign)\n data = self._iterate_prefix(callsign, timestamp).copy()\n data[const.BEACON] = True\n return data\n elif re.search('\\\\d$', appendix):\n area_nr = re.search('\\\\d$', appendix).group(0)\n callsign = re.sub('/\\\\d$', '', callsign)\n if len(re.findall('\\\\d+', callsign)) == 1:\n callsign = re.sub('[\\\\d]+', area_nr, callsign)\n else:\n pass\n return self._iterate_prefix(callsign, timestamp)\n else:\n return self._iterate_prefix(callsign, timestamp)\n elif re.match(\n '^[\\\\d]{0,1}[A-Z]{1,2}\\\\d([A-Z]{1,4}|\\\\d{3,3}|\\\\d{1,3}[A-Z])[A-Z]{0,5}$'\n , callsign):\n return self._iterate_prefix(callsign, timestamp)\n elif re.search('^[A-Z0-9]{1,4}/', entire_callsign):\n pfx = re.search('^[A-Z0-9]{1,4}/', entire_callsign)\n pfx = re.sub('/', '', pfx.group(0))\n rest = re.search('/[A-Z0-9]+', entire_callsign)\n rest = re.sub('/', '', rest.group(0))\n if re.match(\n '^[\\\\d]{0,1}[A-Z]{1,2}\\\\d([A-Z]{1,4}|\\\\d{3,3}|\\\\d{1,3}[A-Z])[A-Z]{0,5}$'\n , rest):\n return self._iterate_prefix(pfx)\n if entire_callsign in callsign_exceptions:\n return self._iterate_prefix(callsign_exceptions[entire_callsign])\n self._logger.debug('Could not decode ' + callsign)\n raise KeyError('Callsign could not be decoded')\n",
"role": "user"
},
{
"content": "dismantle_callsign",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
callsign_data = self._lookup_callsign(callsign, timestamp)
try:
cqz = self._lookuplib.lookup_zone_exception(callsign, timestamp)
callsign_data[const.CQZ] = cqz
except KeyError:
pass
return callsign_data
|
get_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n callsign_data = self._lookup_callsign(callsign, timestamp)\n try:\n cqz = self._lookuplib.lookup_zone_exception(callsign, timestamp)\n callsign_data[const.CQZ] = cqz\n except KeyError:\n pass\n return callsign_data\n",
"role": "user"
},
{
"content": "get_all",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
try:
if self.get_all(callsign, timestamp):
return True
except KeyError:
return False
|
is_valid_callsign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n try:\n if self.get_all(callsign, timestamp):\n return True\n except KeyError:\n return False\n",
"role": "user"
},
{
"content": "is_valid_callsign",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
callsign_data = self.get_all(callsign, timestamp=timestamp)
return {const.LATITUDE: callsign_data[const.LATITUDE], const.LONGITUDE:
callsign_data[const.LONGITUDE]}
|
get_lat_long
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n callsign_data = self.get_all(callsign, timestamp=timestamp)\n return {const.LATITUDE: callsign_data[const.LATITUDE], const.LONGITUDE:\n callsign_data[const.LONGITUDE]}\n",
"role": "user"
},
{
"content": "get_lat_long",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
return self.get_all(callsign, timestamp)[const.CQZ]
|
get_cqz
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n return self.get_all(callsign, timestamp)[const.CQZ]\n",
"role": "user"
},
{
"content": "get_cqz",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
return self.get_all(callsign, timestamp)[const.ITUZ]
|
get_ituz
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n return self.get_all(callsign, timestamp)[const.ITUZ]\n",
"role": "user"
},
{
"content": "get_ituz",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
return self.get_all(callsign, timestamp)[const.COUNTRY]
|
get_country_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n return self.get_all(callsign, timestamp)[const.COUNTRY]\n",
"role": "user"
},
{
"content": "get_country_name",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
return self.get_all(callsign, timestamp)[const.ADIF]
|
get_adif_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n return self.get_all(callsign, timestamp)[const.ADIF]\n",
"role": "user"
},
{
"content": "get_adif_id",
"role": "assistant"
}
] |
def x(self, callsign, timestamp=timestamp_now):
return self.get_all(callsign, timestamp)[const.CONTINENT]
|
get_continent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callsign, timestamp=timestamp_now):\n return self.get_all(callsign, timestamp)[const.CONTINENT]\n",
"role": "user"
},
{
"content": "get_continent",
"role": "assistant"
}
] |
def x(lst, element):
result = []
offset = -1
while True:
try:
offset = lst.index(element, offset + 1)
except ValueError:
return result
result.append(offset)
|
find_indices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lst, element):\n result = []\n offset = -1\n while True:\n try:\n offset = lst.index(element, offset + 1)\n except ValueError:\n return result\n result.append(offset)\n",
"role": "user"
},
{
"content": "find_indices",
"role": "assistant"
}
] |
def x(cls, name, *, queue=DefaultJobQueueName.Workflow, clear_data_store=
True, arguments=None):
new_workflow = cls(queue=queue, clear_data_store=clear_data_store)
new_workflow.load(name, arguments=arguments)
return new_workflow
|
from_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, *, queue=DefaultJobQueueName.Workflow, clear_data_store=\n True, arguments=None):\n new_workflow = cls(queue=queue, clear_data_store=clear_data_store)\n new_workflow.load(name, arguments=arguments)\n return new_workflow\n",
"role": "user"
},
{
"content": "from_name",
"role": "assistant"
}
] |
def x(self, name, *, arguments=None, validate_arguments=True, strict_dag=False
):
arguments = {} if arguments is None else arguments
try:
workflow_module = importlib.import_module(name)
dag_present = False
for key, obj in workflow_module.__dict__.items():
if isinstance(obj, Dag):
self._dags_blueprint[obj.name] = obj
dag_present = True
elif isinstance(obj, Parameters):
self._parameters.extend(obj)
self._name = name
self._docstring = inspect.getdoc(workflow_module)
del sys.modules[name]
if strict_dag and not dag_present:
raise WorkflowImportError('Workflow does not include a dag {}'.
format(name))
if validate_arguments:
missing_parameters = self._parameters.check_missing(arguments)
if len(missing_parameters) > 0:
raise WorkflowArgumentError(
'The following parameters are required ' +
'by the workflow, but are missing: {}'.format(', '.join
(missing_parameters)))
self._provided_arguments = arguments
except (TypeError, ImportError):
logger.error('Cannot import workflow {}'.format(name))
raise WorkflowImportError('Cannot import workflow {}'.format(name))
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, *, arguments=None, validate_arguments=True, strict_dag=False\n ):\n arguments = {} if arguments is None else arguments\n try:\n workflow_module = importlib.import_module(name)\n dag_present = False\n for key, obj in workflow_module.__dict__.items():\n if isinstance(obj, Dag):\n self._dags_blueprint[obj.name] = obj\n dag_present = True\n elif isinstance(obj, Parameters):\n self._parameters.extend(obj)\n self._name = name\n self._docstring = inspect.getdoc(workflow_module)\n del sys.modules[name]\n if strict_dag and not dag_present:\n raise WorkflowImportError('Workflow does not include a dag {}'.\n format(name))\n if validate_arguments:\n missing_parameters = self._parameters.check_missing(arguments)\n if len(missing_parameters) > 0:\n raise WorkflowArgumentError(\n 'The following parameters are required ' +\n 'by the workflow, but are missing: {}'.format(', '.join\n (missing_parameters)))\n self._provided_arguments = arguments\n except (TypeError, ImportError):\n logger.error('Cannot import workflow {}'.format(name))\n raise WorkflowImportError('Cannot import workflow {}'.format(name))\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, config, data_store, signal_server, workflow_id):
self._workflow_id = workflow_id
self._celery_app = create_app(config)
args = self._parameters.consolidate(self._provided_arguments)
for key, value in args.items():
data_store.get(self._workflow_id).set(key, value)
for name, dag in self._dags_blueprint.items():
if dag.autostart:
self._queue_dag(name)
while self._dags_running:
if config.workflow_polling_time > 0.0:
sleep(config.workflow_polling_time)
for i in range(MAX_SIGNAL_REQUESTS):
request = signal_server.receive()
if request is None:
break
try:
response = self._handle_request(request)
if response is not None:
signal_server.send(response)
else:
signal_server.restore(request)
except (RequestActionUnknown, RequestFailed):
signal_server.send(Response(success=False, uid=request.uid))
for name, dag in list(self._dags_running.items()):
if dag.ready():
if self._celery_app.conf.result_expires == 0:
dag.forget()
del self._dags_running[name]
elif dag.failed():
self._stop_workflow = True
signal_server.clear()
if self._clear_data_store:
data_store.remove(self._workflow_id)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, data_store, signal_server, workflow_id):\n self._workflow_id = workflow_id\n self._celery_app = create_app(config)\n args = self._parameters.consolidate(self._provided_arguments)\n for key, value in args.items():\n data_store.get(self._workflow_id).set(key, value)\n for name, dag in self._dags_blueprint.items():\n if dag.autostart:\n self._queue_dag(name)\n while self._dags_running:\n if config.workflow_polling_time > 0.0:\n sleep(config.workflow_polling_time)\n for i in range(MAX_SIGNAL_REQUESTS):\n request = signal_server.receive()\n if request is None:\n break\n try:\n response = self._handle_request(request)\n if response is not None:\n signal_server.send(response)\n else:\n signal_server.restore(request)\n except (RequestActionUnknown, RequestFailed):\n signal_server.send(Response(success=False, uid=request.uid))\n for name, dag in list(self._dags_running.items()):\n if dag.ready():\n if self._celery_app.conf.result_expires == 0:\n dag.forget()\n del self._dags_running[name]\n elif dag.failed():\n self._stop_workflow = True\n signal_server.clear()\n if self._clear_data_store:\n data_store.remove(self._workflow_id)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, name, *, data=None):
if self._stop_workflow:
return None
if name not in self._dags_blueprint:
raise DagNameUnknown()
new_dag = copy.deepcopy(self._dags_blueprint[name])
new_dag.workflow_name = self.name
self._dags_running[new_dag.name] = self._celery_app.send_task(JobExecPath
.Dag, args=(new_dag, self._workflow_id, data), queue=new_dag.queue,
routing_key=new_dag.queue)
return new_dag.name
|
queue_dag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, *, data=None):\n if self._stop_workflow:\n return None\n if name not in self._dags_blueprint:\n raise DagNameUnknown()\n new_dag = copy.deepcopy(self._dags_blueprint[name])\n new_dag.workflow_name = self.name\n self._dags_running[new_dag.name] = self._celery_app.send_task(JobExecPath\n .Dag, args=(new_dag, self._workflow_id, data), queue=new_dag.queue,\n routing_key=new_dag.queue)\n return new_dag.name\n",
"role": "user"
},
{
"content": "queue_dag",
"role": "assistant"
}
] |
def x(self, request):
if request is None:
return Response(success=False, uid=request.uid)
action_map = {'start_dag': self._handle_start_dag, 'stop_workflow':
self._handle_stop_workflow, 'join_dags': self._handle_join_dags,
'stop_dag': self._handle_stop_dag, 'is_dag_stopped': self.
_handle_is_dag_stopped}
if request.action in action_map:
return action_map[request.action](request)
else:
raise RequestActionUnknown()
|
handle_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if request is None:\n return Response(success=False, uid=request.uid)\n action_map = {'start_dag': self._handle_start_dag, 'stop_workflow':\n self._handle_stop_workflow, 'join_dags': self._handle_join_dags,\n 'stop_dag': self._handle_stop_dag, 'is_dag_stopped': self.\n _handle_is_dag_stopped}\n if request.action in action_map:\n return action_map[request.action](request)\n else:\n raise RequestActionUnknown()\n",
"role": "user"
},
{
"content": "handle_request",
"role": "assistant"
}
] |
def x(self, request):
dag_name = self._queue_dag(name=request.payload['name'], data=request.
payload['data'])
return Response(success=dag_name is not None, uid=request.uid, payload=
{'dag_name': dag_name})
|
handle_start_dag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n dag_name = self._queue_dag(name=request.payload['name'], data=request.\n payload['data'])\n return Response(success=dag_name is not None, uid=request.uid, payload=\n {'dag_name': dag_name})\n",
"role": "user"
},
{
"content": "handle_start_dag",
"role": "assistant"
}
] |
def x(self, request):
self._stop_workflow = True
for name, dag in self._dags_running.items():
if name not in self._stop_dags:
self._stop_dags.append(name)
return Response(success=True, uid=request.uid)
|
handle_stop_workflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n self._stop_workflow = True\n for name, dag in self._dags_running.items():\n if name not in self._stop_dags:\n self._stop_dags.append(name)\n return Response(success=True, uid=request.uid)\n",
"role": "user"
},
{
"content": "handle_stop_workflow",
"role": "assistant"
}
] |
def x(self, request):
if request.payload['names'] is None:
send_response = len(self._dags_running) <= 1
else:
send_response = all([(name not in self._dags_running.keys()) for
name in request.payload['names']])
if send_response:
return Response(success=True, uid=request.uid)
else:
return None
|
handle_join_dags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if request.payload['names'] is None:\n send_response = len(self._dags_running) <= 1\n else:\n send_response = all([(name not in self._dags_running.keys()) for\n name in request.payload['names']])\n if send_response:\n return Response(success=True, uid=request.uid)\n else:\n return None\n",
"role": "user"
},
{
"content": "handle_join_dags",
"role": "assistant"
}
] |
def x(self, request):
if request.payload['name'] is not None and request.payload['name'
] not in self._stop_dags:
self._stop_dags.append(request.payload['name'])
return Response(success=True, uid=request.uid)
|
handle_stop_dag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if request.payload['name'] is not None and request.payload['name'\n ] not in self._stop_dags:\n self._stop_dags.append(request.payload['name'])\n return Response(success=True, uid=request.uid)\n",
"role": "user"
},
{
"content": "handle_stop_dag",
"role": "assistant"
}
] |
def x(self, request):
return Response(success=True, uid=request.uid, payload={'is_stopped':
request.payload['dag_name'] in self._stop_dags})
|
handle_is_dag_stopped
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n return Response(success=True, uid=request.uid, payload={'is_stopped': \n request.payload['dag_name'] in self._stop_dags})\n",
"role": "user"
},
{
"content": "handle_is_dag_stopped",
"role": "assistant"
}
] |
def x(self, consumer):
stopped_workflows = []
for request in [r for r in consumer.controller.state.active_requests]:
job = AsyncResult(request.id)
workflow_id = job.result['workflow_id']
if workflow_id not in stopped_workflows:
client = Client(SignalConnection(**consumer.app.user_options[
'config'].signal, auto_connect=True), request_key=workflow_id)
client.send(Request(action='stop_workflow'))
stopped_workflows.append(workflow_id)
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, consumer):\n stopped_workflows = []\n for request in [r for r in consumer.controller.state.active_requests]:\n job = AsyncResult(request.id)\n workflow_id = job.result['workflow_id']\n if workflow_id not in stopped_workflows:\n client = Client(SignalConnection(**consumer.app.user_options[\n 'config'].signal, auto_connect=True), request_key=workflow_id)\n client.send(Request(action='stop_workflow'))\n stopped_workflows.append(workflow_id)\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self, dag, *, data=None):
return self._client.send(Request(action='start_dag', payload={'name':
dag.name if isinstance(dag, Dag) else dag, 'data': data if
isinstance(data, MultiTaskData) else None})).payload['dag_name']
|
start_dag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dag, *, data=None):\n return self._client.send(Request(action='start_dag', payload={'name': \n dag.name if isinstance(dag, Dag) else dag, 'data': data if\n isinstance(data, MultiTaskData) else None})).payload['dag_name']\n",
"role": "user"
},
{
"content": "start_dag",
"role": "assistant"
}
] |
def x(self, names=None):
return self._client.send(Request(action='join_dags', payload={'names':
names})).success
|
join_dags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, names=None):\n return self._client.send(Request(action='join_dags', payload={'names':\n names})).success\n",
"role": "user"
},
{
"content": "join_dags",
"role": "assistant"
}
] |
def x(self, name=None):
return self._client.send(Request(action='stop_dag', payload={'name':
name if name is not None else self._dag_name})).success
|
stop_dag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n return self._client.send(Request(action='stop_dag', payload={'name': \n name if name is not None else self._dag_name})).success\n",
"role": "user"
},
{
"content": "stop_dag",
"role": "assistant"
}
] |
def x(self):
resp = self._client.send(Request(action='is_dag_stopped', payload={
'dag_name': self._dag_name}))
return resp.payload['is_stopped']
|
is_stopped
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resp = self._client.send(Request(action='is_dag_stopped', payload={\n 'dag_name': self._dag_name}))\n return resp.payload['is_stopped']\n",
"role": "user"
},
{
"content": "is_stopped",
"role": "assistant"
}
] |
def x(app, *, filter_by_prefix=None):
q = Queue()
def x(event):
if filter_by_prefix is None or filter_by_prefix is not None and event[
'type'].startswith(filter_by_prefix):
q.put(event)
def x():
with app.connection() as connection:
recv = app.events.Receiver(connection, handlers={'*': handle_event}
)
recv.capture(limit=None, timeout=None, wakeup=True)
t = threading.Thread(target=receive_events)
t.start()
while True:
yield q.get(block=True)
|
event_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, *, filter_by_prefix=None):\n q = Queue()\n\n def x(event):\n if filter_by_prefix is None or filter_by_prefix is not None and event[\n 'type'].startswith(filter_by_prefix):\n q.put(event)\n\n def x():\n with app.connection() as connection:\n recv = app.events.Receiver(connection, handlers={'*': handle_event}\n )\n recv.capture(limit=None, timeout=None, wakeup=True)\n t = threading.Thread(target=receive_events)\n t.start()\n while True:\n yield q.get(block=True)\n",
"role": "user"
},
{
"content": "event_stream",
"role": "assistant"
}
] |
def x(event):
if event['type'].startswith('task'):
factory = {JobEventName.Started: JobStartedEvent, JobEventName.
Succeeded: JobSucceededEvent, JobEventName.Stopped:
JobStoppedEvent, JobEventName.Aborted: JobAbortedEvent}
if event['type'] in factory:
return factory[event['type']].from_event(event)
else:
raise JobEventTypeUnsupported('Unsupported event type {}'.
format(event['type']))
elif event['type'].startswith('worker'):
raise WorkerEventTypeUnsupported('Unsupported event type {}'.format
(event['type']))
else:
raise EventTypeUnknown('Unknown event type {}'.format(event['type']))
|
create_event_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event):\n if event['type'].startswith('task'):\n factory = {JobEventName.Started: JobStartedEvent, JobEventName.\n Succeeded: JobSucceededEvent, JobEventName.Stopped:\n JobStoppedEvent, JobEventName.Aborted: JobAbortedEvent}\n if event['type'] in factory:\n return factory[event['type']].from_event(event)\n else:\n raise JobEventTypeUnsupported('Unsupported event type {}'.\n format(event['type']))\n elif event['type'].startswith('worker'):\n raise WorkerEventTypeUnsupported('Unsupported event type {}'.format\n (event['type']))\n else:\n raise EventTypeUnknown('Unknown event type {}'.format(event['type']))\n",
"role": "user"
},
{
"content": "create_event_model",
"role": "assistant"
}
] |
def x(f):
def x(obj, *args, **kwargs):
if 'config' not in obj:
click.echo(_style(obj.get('show_color', False),
'Could not find a valid configuration file!', fg='red',
bold=True))
raise click.Abort()
else:
return f(obj, *args, **kwargs)
return update_wrapper(new_func, f)
|
config_required
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n def x(obj, *args, **kwargs):\n if 'config' not in obj:\n click.echo(_style(obj.get('show_color', False),\n 'Could not find a valid configuration file!', fg='red',\n bold=True))\n raise click.Abort()\n else:\n return f(obj, *args, **kwargs)\n return update_wrapper(new_func, f)\n",
"role": "user"
},
{
"content": "config_required",
"role": "assistant"
}
] |
def x(ctx, *, silent=True):
try:
ctx.obj['config'] = Config.from_file(ctx.obj['config_path'])
except ConfigLoadError as err:
click.echo(_style(ctx.obj['show_color'], str(err), fg='red', bold=True)
)
if not silent:
raise click.Abort()
|
ingest_config_obj
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, *, silent=True):\n try:\n ctx.obj['config'] = Config.from_file(ctx.obj['config_path'])\n except ConfigLoadError as err:\n click.echo(_style(ctx.obj['show_color'], str(err), fg='red', bold=True)\n )\n if not silent:\n raise click.Abort()\n",
"role": "user"
},
{
"content": "ingest_config_obj",
"role": "assistant"
}
] |
def x(ctx, config, no_color):
ctx.obj = {'show_color': not no_color if no_color is not None else True,
'config_path': config}
|
cli
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, config, no_color):\n ctx.obj = {'show_color': not no_color if no_color is not None else True,\n 'config_path': config}\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x(dest):
conf_path = Path(dest).resolve()
if conf_path.is_dir():
conf_path = conf_path / LIGHTFLOW_CONFIG_NAME
conf_path.write_text(Config.default())
click.echo('Configuration written to {}'.format(conf_path))
|
config_default
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dest):\n conf_path = Path(dest).resolve()\n if conf_path.is_dir():\n conf_path = conf_path / LIGHTFLOW_CONFIG_NAME\n conf_path.write_text(Config.default())\n click.echo('Configuration written to {}'.format(conf_path))\n",
"role": "user"
},
{
"content": "config_default",
"role": "assistant"
}
] |
def x(ctx):
ingest_config_obj(ctx, silent=False)
click.echo(json.dumps(ctx.obj['config'].to_dict(), indent=4))
|
config_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n ingest_config_obj(ctx, silent=False)\n click.echo(json.dumps(ctx.obj['config'].to_dict(), indent=4))\n",
"role": "user"
},
{
"content": "config_list",
"role": "assistant"
}
] |
def x(dest, user_dir):
examples_path = Path(lightflow.__file__).parents[1] / 'examples'
if examples_path.exists():
dest_path = Path(dest).resolve()
if not user_dir:
dest_path = dest_path / 'examples'
if dest_path.exists():
if not click.confirm(
'Directory already exists. Overwrite existing files?',
default=True, abort=True):
return
else:
dest_path.mkdir()
for example_file in examples_path.glob('*.py'):
shutil.copy(str(example_file), str(dest_path / example_file.name))
click.echo('Copied examples to {}'.format(str(dest_path)))
else:
click.echo('The examples source path does not exist')
|
config_examples
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dest, user_dir):\n examples_path = Path(lightflow.__file__).parents[1] / 'examples'\n if examples_path.exists():\n dest_path = Path(dest).resolve()\n if not user_dir:\n dest_path = dest_path / 'examples'\n if dest_path.exists():\n if not click.confirm(\n 'Directory already exists. Overwrite existing files?',\n default=True, abort=True):\n return\n else:\n dest_path.mkdir()\n for example_file in examples_path.glob('*.py'):\n shutil.copy(str(example_file), str(dest_path / example_file.name))\n click.echo('Copied examples to {}'.format(str(dest_path)))\n else:\n click.echo('The examples source path does not exist')\n",
"role": "user"
},
{
"content": "config_examples",
"role": "assistant"
}
] |
def x(obj):
try:
for wf in list_workflows(config=obj['config']):
click.echo('{:23} {}'.format(_style(obj['show_color'], wf.name,
bold=True), wf.docstring.split('\n')[0] if wf.docstring is not
None else ''))
except WorkflowDefinitionError as e:
click.echo(_style(obj['show_color'],
'The graph {} in workflow {} is not a directed acyclic graph'.
format(e.graph_name, e.workflow_name), fg='red', bold=True))
|
workflow_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n try:\n for wf in list_workflows(config=obj['config']):\n click.echo('{:23} {}'.format(_style(obj['show_color'], wf.name,\n bold=True), wf.docstring.split('\\n')[0] if wf.docstring is not\n None else ''))\n except WorkflowDefinitionError as e:\n click.echo(_style(obj['show_color'],\n 'The graph {} in workflow {} is not a directed acyclic graph'.\n format(e.graph_name, e.workflow_name), fg='red', bold=True))\n",
"role": "user"
},
{
"content": "workflow_list",
"role": "assistant"
}
] |
def x(obj, queue, keep_data, name, workflow_args):
try:
start_workflow(name=name, config=obj['config'], queue=queue,
clear_data_store=not keep_data, store_args=dict([arg.split('=',
maxsplit=1) for arg in workflow_args]))
except (WorkflowArgumentError, WorkflowImportError) as e:
click.echo(_style(obj['show_color'],
'An error occurred when trying to start the workflow', fg='red',
bold=True))
click.echo('{}'.format(e))
except WorkflowDefinitionError as e:
click.echo(_style(obj['show_color'],
'The graph {} in workflow {} is not a directed acyclic graph'.
format(e.graph_name, e.workflow_name), fg='red', bold=True))
|
workflow_start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, queue, keep_data, name, workflow_args):\n try:\n start_workflow(name=name, config=obj['config'], queue=queue,\n clear_data_store=not keep_data, store_args=dict([arg.split('=',\n maxsplit=1) for arg in workflow_args]))\n except (WorkflowArgumentError, WorkflowImportError) as e:\n click.echo(_style(obj['show_color'],\n 'An error occurred when trying to start the workflow', fg='red',\n bold=True))\n click.echo('{}'.format(e))\n except WorkflowDefinitionError as e:\n click.echo(_style(obj['show_color'],\n 'The graph {} in workflow {} is not a directed acyclic graph'.\n format(e.graph_name, e.workflow_name), fg='red', bold=True))\n",
"role": "user"
},
{
"content": "workflow_start",
"role": "assistant"
}
] |
def x(obj, names):
if len(names) == 0:
msg = 'Would you like to stop all workflows?'
else:
msg = '\n{}\n\n{}'.format('\n'.join(names),
'Would you like to stop these jobs?')
if click.confirm(msg, default=True, abort=True):
stop_workflow(obj['config'], names=names if len(names) > 0 else None)
|
workflow_stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, names):\n if len(names) == 0:\n msg = 'Would you like to stop all workflows?'\n else:\n msg = '\\n{}\\n\\n{}'.format('\\n'.join(names),\n 'Would you like to stop these jobs?')\n if click.confirm(msg, default=True, abort=True):\n stop_workflow(obj['config'], names=names if len(names) > 0 else None)\n",
"role": "user"
},
{
"content": "workflow_stop",
"role": "assistant"
}
] |
def x(obj, details):
show_colors = obj['show_color']
config_cli = obj['config'].cli
if details:
temp_form = '{:>{}} {:20} {:25} {:25} {:38} {}'
else:
temp_form = '{:>{}} {:20} {:25} {} {} {}'
click.echo('\n')
click.echo(temp_form.format('Status', 12, 'Name', 'Start Time', 'ID' if
details else '', 'Job' if details else '', 'Arguments'))
click.echo('-' * (138 if details else 75))
def x(jobs, *, label='', color='green'):
for job in jobs:
start_time = (job.start_time if job.start_time is not None else
'unknown')
click.echo(temp_form.format(_style(show_colors, label, fg=color,
bold=True), 25 if show_colors else 12, job.name, start_time
.replace(tzinfo=pytz.utc).astimezone().strftime(config_cli[
'time_format']), job.workflow_id if details else '', job.id if
details else '', ','.join(['{}={}'.format(k, v) for k, v in
job.arguments.items()])))
print_jobs(list_jobs(config=obj['config'], status=JobStatus.Active,
filter_by_type=JobType.Workflow), label='Running', color='green')
print_jobs(list_jobs(config=obj['config'], status=JobStatus.Scheduled,
filter_by_type=JobType.Workflow), label='Scheduled', color='blue')
print_jobs(list_jobs(config=obj['config'], status=JobStatus.Registered,
filter_by_type=JobType.Workflow), label='Registered', color='yellow')
print_jobs(list_jobs(config=obj['config'], status=JobStatus.Reserved,
filter_by_type=JobType.Workflow), label='Reserved', color='yellow')
|
workflow_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, details):\n show_colors = obj['show_color']\n config_cli = obj['config'].cli\n if details:\n temp_form = '{:>{}} {:20} {:25} {:25} {:38} {}'\n else:\n temp_form = '{:>{}} {:20} {:25} {} {} {}'\n click.echo('\\n')\n click.echo(temp_form.format('Status', 12, 'Name', 'Start Time', 'ID' if\n details else '', 'Job' if details else '', 'Arguments'))\n click.echo('-' * (138 if details else 75))\n\n def x(jobs, *, label='', color='green'):\n for job in jobs:\n start_time = (job.start_time if job.start_time is not None else\n 'unknown')\n click.echo(temp_form.format(_style(show_colors, label, fg=color,\n bold=True), 25 if show_colors else 12, job.name, start_time\n .replace(tzinfo=pytz.utc).astimezone().strftime(config_cli[\n 'time_format']), job.workflow_id if details else '', job.id if\n details else '', ','.join(['{}={}'.format(k, v) for k, v in\n job.arguments.items()])))\n print_jobs(list_jobs(config=obj['config'], status=JobStatus.Active,\n filter_by_type=JobType.Workflow), label='Running', color='green')\n print_jobs(list_jobs(config=obj['config'], status=JobStatus.Scheduled,\n filter_by_type=JobType.Workflow), label='Scheduled', color='blue')\n print_jobs(list_jobs(config=obj['config'], status=JobStatus.Registered,\n filter_by_type=JobType.Workflow), label='Registered', color='yellow')\n print_jobs(list_jobs(config=obj['config'], status=JobStatus.Reserved,\n filter_by_type=JobType.Workflow), label='Reserved', color='yellow')\n",
"role": "user"
},
{
"content": "workflow_status",
"role": "assistant"
}
] |
def x(obj, queues, name, celery_args):
try:
start_worker(queues=queues.split(','), config=obj['config'], name=
name, celery_args=celery_args)
except DataStoreNotConnected:
click.echo(_style(obj['show_color'],
'Cannot connect to the Data Store server. Is the server running?',
fg='red', bold=True))
|
worker_start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, queues, name, celery_args):\n try:\n start_worker(queues=queues.split(','), config=obj['config'], name=\n name, celery_args=celery_args)\n except DataStoreNotConnected:\n click.echo(_style(obj['show_color'],\n 'Cannot connect to the Data Store server. Is the server running?',\n fg='red', bold=True))\n",
"role": "user"
},
{
"content": "worker_start",
"role": "assistant"
}
] |
def x(obj, worker_ids):
if len(worker_ids) == 0:
msg = 'Would you like to stop all workers?'
else:
msg = '\n{}\n\n{}'.format('\n'.join(worker_ids),
'Would you like to stop these workers?')
if click.confirm(msg, default=True, abort=True):
stop_worker(obj['config'], worker_ids=list(worker_ids) if len(
worker_ids) > 0 else None)
|
worker_stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, worker_ids):\n if len(worker_ids) == 0:\n msg = 'Would you like to stop all workers?'\n else:\n msg = '\\n{}\\n\\n{}'.format('\\n'.join(worker_ids),\n 'Would you like to stop these workers?')\n if click.confirm(msg, default=True, abort=True):\n stop_worker(obj['config'], worker_ids=list(worker_ids) if len(\n worker_ids) > 0 else None)\n",
"role": "user"
},
{
"content": "worker_stop",
"role": "assistant"
}
] |
def x(obj, filter_queues, details):
show_colors = obj['show_color']
f_queues = filter_queues.split(',') if filter_queues is not None else None
workers = list_workers(config=obj['config'], filter_by_queues=f_queues)
if len(workers) == 0:
click.echo('No workers are running at the moment.')
return
for ws in workers:
click.echo('{} {}'.format(_style(show_colors, 'Worker:', fg='blue',
bold=True), _style(show_colors, ws.name, fg='blue')))
click.echo('{:23} {}'.format(_style(show_colors, '> pid:', bold=
True), ws.pid))
if details:
click.echo('{:23} {}'.format(_style(show_colors,
'> concurrency:', bold=True), ws.concurrency))
click.echo('{:23} {}'.format(_style(show_colors, '> processes:',
bold=True), ', '.join(str(p) for p in ws.process_pids)))
click.echo('{:23} {}://{}:{}/{}'.format(_style(show_colors,
'> broker:', bold=True), ws.broker.transport, ws.broker.
hostname, ws.broker.port, ws.broker.virtual_host))
click.echo('{:23} {}'.format(_style(show_colors, '> queues:', bold=
True), ', '.join([q.name for q in ws.queues])))
if details:
click.echo('{:23} {}'.format(_style(show_colors, '> job count:',
bold=True), ws.job_count))
jobs = list_jobs(config=obj['config'], filter_by_worker=ws.name)
click.echo('{:23} [{}]'.format(_style(show_colors, '> jobs:',
bold=True), len(jobs) if len(jobs) > 0 else 'No tasks'))
for job in jobs:
click.echo('{:15} {} {}'.format('', _style(show_colors,
'{}'.format(job.name), bold=True, fg=JOB_COLOR[job.type
]), _style(show_colors, '({}) [{}] <{}> on {}'.format(
job.type, job.workflow_id, job.id, job.worker_pid), fg=
JOB_COLOR[job.type])))
click.echo('\n')
|
worker_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, filter_queues, details):\n show_colors = obj['show_color']\n f_queues = filter_queues.split(',') if filter_queues is not None else None\n workers = list_workers(config=obj['config'], filter_by_queues=f_queues)\n if len(workers) == 0:\n click.echo('No workers are running at the moment.')\n return\n for ws in workers:\n click.echo('{} {}'.format(_style(show_colors, 'Worker:', fg='blue',\n bold=True), _style(show_colors, ws.name, fg='blue')))\n click.echo('{:23} {}'.format(_style(show_colors, '> pid:', bold=\n True), ws.pid))\n if details:\n click.echo('{:23} {}'.format(_style(show_colors,\n '> concurrency:', bold=True), ws.concurrency))\n click.echo('{:23} {}'.format(_style(show_colors, '> processes:',\n bold=True), ', '.join(str(p) for p in ws.process_pids)))\n click.echo('{:23} {}://{}:{}/{}'.format(_style(show_colors,\n '> broker:', bold=True), ws.broker.transport, ws.broker.\n hostname, ws.broker.port, ws.broker.virtual_host))\n click.echo('{:23} {}'.format(_style(show_colors, '> queues:', bold=\n True), ', '.join([q.name for q in ws.queues])))\n if details:\n click.echo('{:23} {}'.format(_style(show_colors, '> job count:',\n bold=True), ws.job_count))\n jobs = list_jobs(config=obj['config'], filter_by_worker=ws.name)\n click.echo('{:23} [{}]'.format(_style(show_colors, '> jobs:',\n bold=True), len(jobs) if len(jobs) > 0 else 'No tasks'))\n for job in jobs:\n click.echo('{:15} {} {}'.format('', _style(show_colors,\n '{}'.format(job.name), bold=True, fg=JOB_COLOR[job.type\n ]), _style(show_colors, '({}) [{}] <{}> on {}'.format(\n job.type, job.workflow_id, job.id, job.worker_pid), fg=\n JOB_COLOR[job.type])))\n click.echo('\\n')\n",
"role": "user"
},
{
"content": "worker_status",
"role": "assistant"
}
] |
def x(ctx, details):
ingest_config_obj(ctx, silent=False)
show_colors = ctx.obj['show_color']
event_display = {JobEventName.Started: {'color': 'blue', 'label':
'started'}, JobEventName.Succeeded: {'color': 'green', 'label':
'succeeded'}, JobEventName.Stopped: {'color': 'yellow', 'label':
'stopped'}, JobEventName.Aborted: {'color': 'red', 'label': 'aborted'}}
click.echo('\n')
click.echo('{:>10} {:>12} {:25} {:18} {:16} {:28} {}'.format('Status',
'Type', 'Name', 'Duration (sec)', 'Queue' if details else '',
'Workflow ID' if details else '', 'Worker' if details else ''))
click.echo('-' * (136 if details else 65))
for event in workflow_events(ctx.obj['config']):
evt_disp = event_display[event.event]
click.echo('{:>{}} {:>{}} {:25} {:18} {:16} {:28} {}'.format(_style
(show_colors, evt_disp['label'], fg=evt_disp['color']), 20 if
show_colors else 10, _style(show_colors, event.type, bold=True,
fg=JOB_COLOR[event.type]), 24 if show_colors else 12, event.
name, '{0:.3f}'.format(event.duration) if event.duration is not
None else '', event.queue if details else '', event.workflow_id if
details else '', event.hostname if details else ''))
|
monitor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, details):\n ingest_config_obj(ctx, silent=False)\n show_colors = ctx.obj['show_color']\n event_display = {JobEventName.Started: {'color': 'blue', 'label':\n 'started'}, JobEventName.Succeeded: {'color': 'green', 'label':\n 'succeeded'}, JobEventName.Stopped: {'color': 'yellow', 'label':\n 'stopped'}, JobEventName.Aborted: {'color': 'red', 'label': 'aborted'}}\n click.echo('\\n')\n click.echo('{:>10} {:>12} {:25} {:18} {:16} {:28} {}'.format('Status',\n 'Type', 'Name', 'Duration (sec)', 'Queue' if details else '', \n 'Workflow ID' if details else '', 'Worker' if details else ''))\n click.echo('-' * (136 if details else 65))\n for event in workflow_events(ctx.obj['config']):\n evt_disp = event_display[event.event]\n click.echo('{:>{}} {:>{}} {:25} {:18} {:16} {:28} {}'.format(_style\n (show_colors, evt_disp['label'], fg=evt_disp['color']), 20 if\n show_colors else 10, _style(show_colors, event.type, bold=True,\n fg=JOB_COLOR[event.type]), 24 if show_colors else 12, event.\n name, '{0:.3f}'.format(event.duration) if event.duration is not\n None else '', event.queue if details else '', event.workflow_id if\n details else '', event.hostname if details else ''))\n",
"role": "user"
},
{
"content": "monitor",
"role": "assistant"
}
] |
def x(obj, ext_name, ext_args):
try:
mod = import_module('lightflow_{}.__main__'.format(ext_name))
mod.main(ext_args)
except ImportError as err:
click.echo(_style(obj['show_color'],
'An error occurred when trying to call the extension', fg='red',
bold=True))
click.echo('{}'.format(err))
|
ext
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, ext_name, ext_args):\n try:\n mod = import_module('lightflow_{}.__main__'.format(ext_name))\n mod.main(ext_args)\n except ImportError as err:\n click.echo(_style(obj['show_color'],\n 'An error occurred when trying to call the extension', fg='red',\n bold=True))\n click.echo('{}'.format(err))\n",
"role": "user"
},
{
"content": "ext",
"role": "assistant"
}
] |
def x(enabled, text, **kwargs):
if enabled:
return click.style(text, **kwargs)
else:
return text
|
style
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(enabled, text, **kwargs):\n if enabled:\n return click.style(text, **kwargs)\n else:\n return text\n",
"role": "user"
},
{
"content": "style",
"role": "assistant"
}
] |
def x(config):
setup_logging.connect(partial(_initialize_logging, config), weak=False)
task_postrun.connect(partial(_cleanup_workflow, config), weak=False)
patch_celery()
app = Celery('lightflow')
app.conf.update(**config.celery)
app.conf.update(task_serializer='pickle', accept_content=['pickle'],
result_serializer='pickle', task_default_queue=DefaultJobQueueName.Task
)
if isinstance(app.conf.include, list):
app.conf.include.extend(LIGHTFLOW_INCLUDE)
else:
if len(app.conf.include) > 0:
raise ConfigOverwriteError(
'The content in the include config will be overwritten')
app.conf.include = LIGHTFLOW_INCLUDE
return app
|
create_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n setup_logging.connect(partial(_initialize_logging, config), weak=False)\n task_postrun.connect(partial(_cleanup_workflow, config), weak=False)\n patch_celery()\n app = Celery('lightflow')\n app.conf.update(**config.celery)\n app.conf.update(task_serializer='pickle', accept_content=['pickle'],\n result_serializer='pickle', task_default_queue=DefaultJobQueueName.Task\n )\n if isinstance(app.conf.include, list):\n app.conf.include.extend(LIGHTFLOW_INCLUDE)\n else:\n if len(app.conf.include) > 0:\n raise ConfigOverwriteError(\n 'The content in the include config will be overwritten')\n app.conf.include = LIGHTFLOW_INCLUDE\n return app\n",
"role": "user"
},
{
"content": "create_app",
"role": "assistant"
}
] |
def x(config, task_id, args, **kwargs):
from lightflow.models import Workflow
if isinstance(args[0], Workflow):
if config.celery['result_expires'] == 0:
AsyncResult(task_id).forget()
|
cleanup_workflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, task_id, args, **kwargs):\n from lightflow.models import Workflow\n if isinstance(args[0], Workflow):\n if config.celery['result_expires'] == 0:\n AsyncResult(task_id).forget()\n",
"role": "user"
},
{
"content": "cleanup_workflow",
"role": "assistant"
}
] |
def x(self, workflow, workflow_id=None):
start_time = datetime.utcnow()
logger.info('Running workflow <{}>'.format(workflow.name))
data_store = DataStore(**self.app.user_options['config'].data_store,
auto_connect=True)
if data_store.exists(workflow_id):
logger.info('Using existing workflow ID: {}'.format(workflow_id))
else:
workflow_id = data_store.add(payload={'name': workflow.name,
'queue': workflow.queue, 'start_time': start_time})
logger.info('Created workflow ID: {}'.format(workflow_id))
self.send_event(JobEventName.Started, job_type=JobType.Workflow, name=
workflow.name, queue=workflow.queue, time=start_time, workflow_id=
workflow_id, duration=None)
signal_server = Server(SignalConnection(**self.app.user_options[
'config'].signal, auto_connect=True), request_key=workflow_id)
self.update_state(meta={'name': workflow.name, 'type': JobType.Workflow,
'workflow_id': workflow_id, 'queue': workflow.queue, 'start_time':
start_time, 'arguments': workflow.provided_arguments})
workflow.run(config=self.app.user_options['config'], data_store=
data_store, signal_server=signal_server, workflow_id=workflow_id)
end_time = datetime.utcnow()
duration = (end_time - start_time).total_seconds()
store_doc = data_store.get(workflow_id)
store_doc.set(key='end_time', value=end_time, section=
DataStoreDocumentSection.Meta)
store_doc.set(key='duration', value=duration, section=
DataStoreDocumentSection.Meta)
event_name = (JobEventName.Succeeded if not workflow.is_stopped else
JobEventName.Aborted)
self.send_event(event_name, job_type=JobType.Workflow, name=workflow.
name, queue=workflow.queue, time=end_time, workflow_id=workflow_id,
duration=duration)
logger.info('Finished workflow <{}>'.format(workflow.name))
|
execute_workflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, workflow, workflow_id=None):\n start_time = datetime.utcnow()\n logger.info('Running workflow <{}>'.format(workflow.name))\n data_store = DataStore(**self.app.user_options['config'].data_store,\n auto_connect=True)\n if data_store.exists(workflow_id):\n logger.info('Using existing workflow ID: {}'.format(workflow_id))\n else:\n workflow_id = data_store.add(payload={'name': workflow.name,\n 'queue': workflow.queue, 'start_time': start_time})\n logger.info('Created workflow ID: {}'.format(workflow_id))\n self.send_event(JobEventName.Started, job_type=JobType.Workflow, name=\n workflow.name, queue=workflow.queue, time=start_time, workflow_id=\n workflow_id, duration=None)\n signal_server = Server(SignalConnection(**self.app.user_options[\n 'config'].signal, auto_connect=True), request_key=workflow_id)\n self.update_state(meta={'name': workflow.name, 'type': JobType.Workflow,\n 'workflow_id': workflow_id, 'queue': workflow.queue, 'start_time':\n start_time, 'arguments': workflow.provided_arguments})\n workflow.run(config=self.app.user_options['config'], data_store=\n data_store, signal_server=signal_server, workflow_id=workflow_id)\n end_time = datetime.utcnow()\n duration = (end_time - start_time).total_seconds()\n store_doc = data_store.get(workflow_id)\n store_doc.set(key='end_time', value=end_time, section=\n DataStoreDocumentSection.Meta)\n store_doc.set(key='duration', value=duration, section=\n DataStoreDocumentSection.Meta)\n event_name = (JobEventName.Succeeded if not workflow.is_stopped else\n JobEventName.Aborted)\n self.send_event(event_name, job_type=JobType.Workflow, name=workflow.\n name, queue=workflow.queue, time=end_time, workflow_id=workflow_id,\n duration=duration)\n logger.info('Finished workflow <{}>'.format(workflow.name))\n",
"role": "user"
},
{
"content": "execute_workflow",
"role": "assistant"
}
] |
def x(self, dag, workflow_id, data=None):
start_time = datetime.utcnow()
logger.info('Running DAG <{}>'.format(dag.name))
store_doc = DataStore(**self.app.user_options['config'].data_store,
auto_connect=True).get(workflow_id)
store_loc = 'log.{}'.format(dag.name)
store_doc.set(key='{}.start_time'.format(store_loc), value=start_time,
section=DataStoreDocumentSection.Meta)
self.send_event(JobEventName.Started, job_type=JobType.Dag, name=dag.
name, queue=dag.queue, time=start_time, workflow_id=workflow_id,
duration=None)
self.update_state(meta={'name': dag.name, 'queue': dag.queue, 'type':
JobType.Dag, 'workflow_id': workflow_id})
signal = DagSignal(Client(SignalConnection(**self.app.user_options[
'config'].signal, auto_connect=True), request_key=workflow_id), dag
.name)
dag.run(config=self.app.user_options['config'], workflow_id=workflow_id,
signal=signal, data=data)
end_time = datetime.utcnow()
duration = (end_time - start_time).total_seconds()
store_doc.set(key='{}.end_time'.format(store_loc), value=end_time,
section=DataStoreDocumentSection.Meta)
store_doc.set(key='{}.duration'.format(store_loc), value=duration,
section=DataStoreDocumentSection.Meta)
event_name = (JobEventName.Succeeded if not signal.is_stopped else
JobEventName.Aborted)
self.send_event(event_name, job_type=JobType.Dag, name=dag.name, queue=
dag.queue, time=end_time, workflow_id=workflow_id, duration=duration)
logger.info('Finished DAG <{}>'.format(dag.name))
|
execute_dag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dag, workflow_id, data=None):\n start_time = datetime.utcnow()\n logger.info('Running DAG <{}>'.format(dag.name))\n store_doc = DataStore(**self.app.user_options['config'].data_store,\n auto_connect=True).get(workflow_id)\n store_loc = 'log.{}'.format(dag.name)\n store_doc.set(key='{}.start_time'.format(store_loc), value=start_time,\n section=DataStoreDocumentSection.Meta)\n self.send_event(JobEventName.Started, job_type=JobType.Dag, name=dag.\n name, queue=dag.queue, time=start_time, workflow_id=workflow_id,\n duration=None)\n self.update_state(meta={'name': dag.name, 'queue': dag.queue, 'type':\n JobType.Dag, 'workflow_id': workflow_id})\n signal = DagSignal(Client(SignalConnection(**self.app.user_options[\n 'config'].signal, auto_connect=True), request_key=workflow_id), dag\n .name)\n dag.run(config=self.app.user_options['config'], workflow_id=workflow_id,\n signal=signal, data=data)\n end_time = datetime.utcnow()\n duration = (end_time - start_time).total_seconds()\n store_doc.set(key='{}.end_time'.format(store_loc), value=end_time,\n section=DataStoreDocumentSection.Meta)\n store_doc.set(key='{}.duration'.format(store_loc), value=duration,\n section=DataStoreDocumentSection.Meta)\n event_name = (JobEventName.Succeeded if not signal.is_stopped else\n JobEventName.Aborted)\n self.send_event(event_name, job_type=JobType.Dag, name=dag.name, queue=\n dag.queue, time=end_time, workflow_id=workflow_id, duration=duration)\n logger.info('Finished DAG <{}>'.format(dag.name))\n",
"role": "user"
},
{
"content": "execute_dag",
"role": "assistant"
}
] |
def x(self, task, workflow_id, data=None):
start_time = datetime.utcnow()
store_doc = DataStore(**self.app.user_options['config'].data_store,
auto_connect=True).get(workflow_id)
store_loc = 'log.{}.tasks.{}'.format(task.dag_name, task.name)
def x(message, event_type, exc=None):
msg = '{}: {}'.format(message, str(exc)
) if exc is not None else message
if event_type == JobEventName.Stopped:
logger.warning(msg)
elif event_type == JobEventName.Aborted:
logger.error(msg)
else:
logger.info(msg)
current_time = datetime.utcnow()
if event_type != JobEventName.Started:
duration = (current_time - start_time).total_seconds()
store_doc.set(key='{}.end_time'.format(store_loc), value=
current_time, section=DataStoreDocumentSection.Meta)
store_doc.set(key='{}.duration'.format(store_loc), value=
duration, section=DataStoreDocumentSection.Meta)
else:
store_doc.set(key='{}.start_time'.format(store_loc), value=
start_time, section=DataStoreDocumentSection.Meta)
store_doc.set(key='{}.worker'.format(store_loc), value=self.
request.hostname, section=DataStoreDocumentSection.Meta)
store_doc.set(key='{}.queue'.format(store_loc), value=task.
queue, section=DataStoreDocumentSection.Meta)
duration = None
self.send_event(event_type, job_type=JobType.Task, name=task.name,
queue=task.queue, time=current_time, workflow_id=workflow_id,
duration=duration)
self.update_state(meta={'name': task.name, 'queue': task.queue, 'type':
JobType.Task, 'workflow_id': workflow_id})
handle_callback('Start task <{}>'.format(task.name), JobEventName.Started)
return task._run(data=data, store=store_doc, signal=TaskSignal(Client(
SignalConnection(**self.app.user_options['config'].signal,
auto_connect=True), request_key=workflow_id), task.dag_name),
context=TaskContext(task.name, task.dag_name, task.workflow_name,
workflow_id, self.request.hostname), success_callback=partial(
handle_callback, message='Complete task <{}>'.format(task.name),
event_type=JobEventName.Succeeded), stop_callback=partial(
handle_callback, message='Stop task <{}>'.format(task.name),
event_type=JobEventName.Stopped), abort_callback=partial(
handle_callback, message='Abort workflow <{}> by task <{}>'.format(
task.workflow_name, task.name), event_type=JobEventName.Aborted))
|
execute_task
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task, workflow_id, data=None):\n start_time = datetime.utcnow()\n store_doc = DataStore(**self.app.user_options['config'].data_store,\n auto_connect=True).get(workflow_id)\n store_loc = 'log.{}.tasks.{}'.format(task.dag_name, task.name)\n\n def x(message, event_type, exc=None):\n msg = '{}: {}'.format(message, str(exc)\n ) if exc is not None else message\n if event_type == JobEventName.Stopped:\n logger.warning(msg)\n elif event_type == JobEventName.Aborted:\n logger.error(msg)\n else:\n logger.info(msg)\n current_time = datetime.utcnow()\n if event_type != JobEventName.Started:\n duration = (current_time - start_time).total_seconds()\n store_doc.set(key='{}.end_time'.format(store_loc), value=\n current_time, section=DataStoreDocumentSection.Meta)\n store_doc.set(key='{}.duration'.format(store_loc), value=\n duration, section=DataStoreDocumentSection.Meta)\n else:\n store_doc.set(key='{}.start_time'.format(store_loc), value=\n start_time, section=DataStoreDocumentSection.Meta)\n store_doc.set(key='{}.worker'.format(store_loc), value=self.\n request.hostname, section=DataStoreDocumentSection.Meta)\n store_doc.set(key='{}.queue'.format(store_loc), value=task.\n queue, section=DataStoreDocumentSection.Meta)\n duration = None\n self.send_event(event_type, job_type=JobType.Task, name=task.name,\n queue=task.queue, time=current_time, workflow_id=workflow_id,\n duration=duration)\n self.update_state(meta={'name': task.name, 'queue': task.queue, 'type':\n JobType.Task, 'workflow_id': workflow_id})\n handle_callback('Start task <{}>'.format(task.name), JobEventName.Started)\n return task._run(data=data, store=store_doc, signal=TaskSignal(Client(\n SignalConnection(**self.app.user_options['config'].signal,\n auto_connect=True), request_key=workflow_id), task.dag_name),\n context=TaskContext(task.name, task.dag_name, task.workflow_name,\n workflow_id, self.request.hostname), success_callback=partial(\n handle_callback, message='Complete task <{}>'.format(task.name),\n event_type=JobEventName.Succeeded), stop_callback=partial(\n handle_callback, message='Stop task <{}>'.format(task.name),\n event_type=JobEventName.Stopped), abort_callback=partial(\n handle_callback, message='Abort workflow <{}> by task <{}>'.format(\n task.workflow_name, task.name), event_type=JobEventName.Aborted))\n",
"role": "user"
},
{
"content": "execute_task",
"role": "assistant"
}
] |
def x(cls, broker_dict):
return BrokerStats(hostname=broker_dict['hostname'], port=broker_dict[
'port'], transport=broker_dict['transport'], virtual_host=
broker_dict['virtual_host'])
|
from_celery
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, broker_dict):\n return BrokerStats(hostname=broker_dict['hostname'], port=broker_dict[\n 'port'], transport=broker_dict['transport'], virtual_host=\n broker_dict['virtual_host'])\n",
"role": "user"
},
{
"content": "from_celery",
"role": "assistant"
}
] |
def x(self):
return {'hostname': self.hostname, 'port': self.port, 'transport': self
.transport, 'virtual_host': self.virtual_host}
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'hostname': self.hostname, 'port': self.port, 'transport': self\n .transport, 'virtual_host': self.virtual_host}\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(cls, name, worker_dict, queues):
return WorkerStats(name=name, broker=BrokerStats.from_celery(
worker_dict['broker']), pid=worker_dict['pid'], process_pids=
worker_dict['pool']['processes'], concurrency=worker_dict['pool'][
'max-concurrency'], job_count=worker_dict['pool']['writes']['total'
], queues=queues)
|
from_celery
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, worker_dict, queues):\n return WorkerStats(name=name, broker=BrokerStats.from_celery(\n worker_dict['broker']), pid=worker_dict['pid'], process_pids=\n worker_dict['pool']['processes'], concurrency=worker_dict['pool'][\n 'max-concurrency'], job_count=worker_dict['pool']['writes']['total'\n ], queues=queues)\n",
"role": "user"
},
{
"content": "from_celery",
"role": "assistant"
}
] |
def x(self):
return {'name': self.name, 'broker': self.broker.to_dict(), 'pid': self
.pid, 'process_pids': self.process_pids, 'concurrency': self.
concurrency, 'job_count': self.job_count, 'queues': [q.to_dict() for
q in self.queues]}
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'name': self.name, 'broker': self.broker.to_dict(), 'pid': self\n .pid, 'process_pids': self.process_pids, 'concurrency': self.\n concurrency, 'job_count': self.job_count, 'queues': [q.to_dict() for\n q in self.queues]}\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(cls, worker_name, job_dict, celery_app):
if not isinstance(job_dict, dict) or 'id' not in job_dict:
raise JobStatInvalid('The job description is missing important fields.'
)
async_result = AsyncResult(id=job_dict['id'], app=celery_app)
a_info = async_result.info if isinstance(async_result.info, dict) else None
return JobStats(name=a_info.get('name', '') if a_info is not None else
'', job_id=job_dict['id'], job_type=a_info.get('type', '') if
a_info is not None else '', workflow_id=a_info.get('workflow_id',
'') if a_info is not None else '', queue=a_info.get('queue', '') if
a_info is not None else '', start_time=a_info.get('start_time',
None) if a_info is not None else None, arguments=a_info.get(
'arguments', {}) if a_info is not None else {}, acknowledged=
job_dict['acknowledged'], func_name=job_dict['type'], hostname=
job_dict['hostname'], worker_name=worker_name, worker_pid=job_dict[
'worker_pid'], routing_key=job_dict['delivery_info']['routing_key'])
|
from_celery
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, worker_name, job_dict, celery_app):\n if not isinstance(job_dict, dict) or 'id' not in job_dict:\n raise JobStatInvalid('The job description is missing important fields.'\n )\n async_result = AsyncResult(id=job_dict['id'], app=celery_app)\n a_info = async_result.info if isinstance(async_result.info, dict) else None\n return JobStats(name=a_info.get('name', '') if a_info is not None else\n '', job_id=job_dict['id'], job_type=a_info.get('type', '') if \n a_info is not None else '', workflow_id=a_info.get('workflow_id',\n '') if a_info is not None else '', queue=a_info.get('queue', '') if\n a_info is not None else '', start_time=a_info.get('start_time',\n None) if a_info is not None else None, arguments=a_info.get(\n 'arguments', {}) if a_info is not None else {}, acknowledged=\n job_dict['acknowledged'], func_name=job_dict['type'], hostname=\n job_dict['hostname'], worker_name=worker_name, worker_pid=job_dict[\n 'worker_pid'], routing_key=job_dict['delivery_info']['routing_key'])\n",
"role": "user"
},
{
"content": "from_celery",
"role": "assistant"
}
] |
def x(self):
return {'name': self.name, 'id': self.id, 'type': self.type,
'workflow_id': self.workflow_id, 'queue': self.queue, 'start_time':
self.start_time, 'arguments': self.arguments, 'acknowledged': self.
acknowledged, 'func_name': self.func_name, 'hostname': self.
hostname, 'worker_name': self.worker_name, 'worker_pid': self.
worker_pid, 'routing_key': self.routing_key}
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'name': self.name, 'id': self.id, 'type': self.type,\n 'workflow_id': self.workflow_id, 'queue': self.queue, 'start_time':\n self.start_time, 'arguments': self.arguments, 'acknowledged': self.\n acknowledged, 'func_name': self.func_name, 'hostname': self.\n hostname, 'worker_name': self.worker_name, 'worker_pid': self.\n worker_pid, 'routing_key': self.routing_key}\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(cls, event):
return cls(uuid=event['uuid'], job_type=event['job_type'], event_type=
event['type'], queue=event['queue'], hostname=event['hostname'],
pid=event['pid'], name=event['name'], workflow_id=event[
'workflow_id'], event_time=event['time'], duration=event['duration'])
|
from_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, event):\n return cls(uuid=event['uuid'], job_type=event['job_type'], event_type=\n event['type'], queue=event['queue'], hostname=event['hostname'],\n pid=event['pid'], name=event['name'], workflow_id=event[\n 'workflow_id'], event_time=event['time'], duration=event['duration'])\n",
"role": "user"
},
{
"content": "from_event",
"role": "assistant"
}
] |
def x(name, config, *, queue=DefaultJobQueueName.Workflow, clear_data_store
=True, store_args=None):
try:
wf = Workflow.from_name(name, queue=queue, clear_data_store=
clear_data_store, arguments=store_args)
except DirectedAcyclicGraphInvalid as e:
raise WorkflowDefinitionError(workflow_name=name, graph_name=e.
graph_name)
celery_app = create_app(config)
result = celery_app.send_task(JobExecPath.Workflow, args=(wf,), queue=
queue, routing_key=queue)
return result.id
|
start_workflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, config, *, queue=DefaultJobQueueName.Workflow, clear_data_store\n =True, store_args=None):\n try:\n wf = Workflow.from_name(name, queue=queue, clear_data_store=\n clear_data_store, arguments=store_args)\n except DirectedAcyclicGraphInvalid as e:\n raise WorkflowDefinitionError(workflow_name=name, graph_name=e.\n graph_name)\n celery_app = create_app(config)\n result = celery_app.send_task(JobExecPath.Workflow, args=(wf,), queue=\n queue, routing_key=queue)\n return result.id\n",
"role": "user"
},
{
"content": "start_workflow",
"role": "assistant"
}
] |
def x(config, *, names=None):
jobs = list_jobs(config, filter_by_type=JobType.Workflow)
if names is not None:
filtered_jobs = []
for job in jobs:
if (job.id in names or job.name in names or job.workflow_id in
names):
filtered_jobs.append(job)
else:
filtered_jobs = jobs
success = []
failed = []
for job in filtered_jobs:
client = Client(SignalConnection(**config.signal, auto_connect=True
), request_key=job.workflow_id)
if client.send(Request(action='stop_workflow')).success:
success.append(job)
else:
failed.append(job)
return success, failed
|
stop_workflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, *, names=None):\n jobs = list_jobs(config, filter_by_type=JobType.Workflow)\n if names is not None:\n filtered_jobs = []\n for job in jobs:\n if (job.id in names or job.name in names or job.workflow_id in\n names):\n filtered_jobs.append(job)\n else:\n filtered_jobs = jobs\n success = []\n failed = []\n for job in filtered_jobs:\n client = Client(SignalConnection(**config.signal, auto_connect=True\n ), request_key=job.workflow_id)\n if client.send(Request(action='stop_workflow')).success:\n success.append(job)\n else:\n failed.append(job)\n return success, failed\n",
"role": "user"
},
{
"content": "stop_workflow",
"role": "assistant"
}
] |
def x(config):
workflows = []
for path in config.workflows:
filenames = glob.glob(os.path.join(os.path.abspath(path), '*.py'))
for filename in filenames:
module_name = os.path.splitext(os.path.basename(filename))[0]
workflow = Workflow()
try:
workflow.load(module_name, validate_arguments=False,
strict_dag=True)
workflows.append(workflow)
except DirectedAcyclicGraphInvalid as e:
raise WorkflowDefinitionError(workflow_name=module_name,
graph_name=e.graph_name)
except WorkflowImportError:
continue
return workflows
|
list_workflows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n workflows = []\n for path in config.workflows:\n filenames = glob.glob(os.path.join(os.path.abspath(path), '*.py'))\n for filename in filenames:\n module_name = os.path.splitext(os.path.basename(filename))[0]\n workflow = Workflow()\n try:\n workflow.load(module_name, validate_arguments=False,\n strict_dag=True)\n workflows.append(workflow)\n except DirectedAcyclicGraphInvalid as e:\n raise WorkflowDefinitionError(workflow_name=module_name,\n graph_name=e.graph_name)\n except WorkflowImportError:\n continue\n return workflows\n",
"role": "user"
},
{
"content": "list_workflows",
"role": "assistant"
}
] |
def x(config, *, status=JobStatus.Active, filter_by_type=None,
filter_by_worker=None):
celery_app = create_app(config)
if filter_by_worker is not None:
inspect = celery_app.control.inspect(destination=filter_by_worker if
isinstance(filter_by_worker, list) else [filter_by_worker])
else:
inspect = celery_app.control.inspect()
if status == JobStatus.Active:
job_map = inspect.active()
elif status == JobStatus.Registered:
job_map = inspect.registered()
elif status == JobStatus.Reserved:
job_map = inspect.reserved()
elif status == JobStatus.Scheduled:
job_map = inspect.scheduled()
else:
job_map = None
if job_map is None:
return []
result = []
for worker_name, jobs in job_map.items():
for job in jobs:
try:
job_stats = JobStats.from_celery(worker_name, job, celery_app)
if filter_by_type is None or job_stats.type == filter_by_type:
result.append(job_stats)
except JobStatInvalid:
pass
return result
|
list_jobs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, *, status=JobStatus.Active, filter_by_type=None,\n filter_by_worker=None):\n celery_app = create_app(config)\n if filter_by_worker is not None:\n inspect = celery_app.control.inspect(destination=filter_by_worker if\n isinstance(filter_by_worker, list) else [filter_by_worker])\n else:\n inspect = celery_app.control.inspect()\n if status == JobStatus.Active:\n job_map = inspect.active()\n elif status == JobStatus.Registered:\n job_map = inspect.registered()\n elif status == JobStatus.Reserved:\n job_map = inspect.reserved()\n elif status == JobStatus.Scheduled:\n job_map = inspect.scheduled()\n else:\n job_map = None\n if job_map is None:\n return []\n result = []\n for worker_name, jobs in job_map.items():\n for job in jobs:\n try:\n job_stats = JobStats.from_celery(worker_name, job, celery_app)\n if filter_by_type is None or job_stats.type == filter_by_type:\n result.append(job_stats)\n except JobStatInvalid:\n pass\n return result\n",
"role": "user"
},
{
"content": "list_jobs",
"role": "assistant"
}
] |
def x(config):
celery_app = create_app(config)
for event in event_stream(celery_app, filter_by_prefix='task'):
try:
yield create_event_model(event)
except JobEventTypeUnsupported:
pass
|
events
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n celery_app = create_app(config)\n for event in event_stream(celery_app, filter_by_prefix='task'):\n try:\n yield create_event_model(event)\n except JobEventTypeUnsupported:\n pass\n",
"role": "user"
},
{
"content": "events",
"role": "assistant"
}
] |
def x(self):
read_stdout = partial(self._read_output, stream=self._process.stdout,
callback=self._callback_stdout, output_file=self._stdout_file)
read_stderr = partial(self._read_output, stream=self._process.stderr,
callback=self._callback_stderr, output_file=self._stderr_file)
try:
while self._process.poll() is None:
result_stdout = read_stdout()
result_stderr = read_stderr()
if not result_stdout and not result_stderr:
sleep(self._refresh_time)
while read_stdout():
pass
while read_stderr():
pass
except (StopTask, AbortWorkflow) as exc:
self._exc_obj = exc
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n read_stdout = partial(self._read_output, stream=self._process.stdout,\n callback=self._callback_stdout, output_file=self._stdout_file)\n read_stderr = partial(self._read_output, stream=self._process.stderr,\n callback=self._callback_stderr, output_file=self._stderr_file)\n try:\n while self._process.poll() is None:\n result_stdout = read_stdout()\n result_stderr = read_stderr()\n if not result_stdout and not result_stderr:\n sleep(self._refresh_time)\n while read_stdout():\n pass\n while read_stderr():\n pass\n except (StopTask, AbortWorkflow) as exc:\n self._exc_obj = exc\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, stream, callback, output_file):
if callback is None and output_file is None or stream.closed:
return False
line = stream.readline()
if line:
if callback is not None:
callback(line.decode(), self._data, self._store, self._signal,
self._context)
if output_file is not None:
output_file.write(line)
return True
else:
return False
|
read_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, callback, output_file):\n if callback is None and output_file is None or stream.closed:\n return False\n line = stream.readline()\n if line:\n if callback is not None:\n callback(line.decode(), self._data, self._store, self._signal,\n self._context)\n if output_file is not None:\n output_file.write(line)\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "read_output",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.