source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(value): value = comment_links(value) if value is None: return if len(value.split('\n')) == 1: return '* ' + value else: return '\n'.join([(' * ' + l) for l in value.split('\n')[:-1]])
commentify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n value = comment_links(value)\n if value is None:\n return\n if len(value.split('\\n')) == 1:\n return '* ' + value\n else:\n return '\\n'.join([(' * ' + l) for l in value.split('\\n')[:-1]])\n", "role": "user" }, { "content": "commentify", "role": "assistant" } ]
def x(field): if field.type_id == 'string': if 'size' in field.options: return 'parser.getString(%d)' % field.options['size'].value else: return 'parser.getString()' elif field.type_id in JAVA_TYPE_MAP: return 'parser.get' + field.type_id.capitalize() + '()' if field.type_id == 'array': t = field.options['fill'].value if t in JAVA_TYPE_MAP: if 'size' in field.options: return 'parser.getArrayof%s(%d)' % (t.capitalize(), field. options['size'].value) else: return 'parser.getArrayof%s()' % t.capitalize() elif 'size' in field.options: return 'parser.getArray(%s.class, %d)' % (t, field.options[ 'size'].value) else: return 'parser.getArray(%s.class)' % t else: return 'new %s().parse(parser)' % field.type_id
parse_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field):\n if field.type_id == 'string':\n if 'size' in field.options:\n return 'parser.getString(%d)' % field.options['size'].value\n else:\n return 'parser.getString()'\n elif field.type_id in JAVA_TYPE_MAP:\n return 'parser.get' + field.type_id.capitalize() + '()'\n if field.type_id == 'array':\n t = field.options['fill'].value\n if t in JAVA_TYPE_MAP:\n if 'size' in field.options:\n return 'parser.getArrayof%s(%d)' % (t.capitalize(), field.\n options['size'].value)\n else:\n return 'parser.getArrayof%s()' % t.capitalize()\n elif 'size' in field.options:\n return 'parser.getArray(%s.class, %d)' % (t, field.options[\n 'size'].value)\n else:\n return 'parser.getArray(%s.class)' % t\n else:\n return 'new %s().parse(parser)' % field.type_id\n", "role": "user" }, { "content": "parse_type", "role": "assistant" } ]
def x(field): if field.type_id == 'string': if 'size' in field.options: return 'builder.putString(%s, %d)' % (field.identifier, field. options['size'].value) else: return 'builder.putString(%s)' % field.identifier elif field.type_id in JAVA_TYPE_MAP: return 'builder.put%s(%s)' % (field.type_id.capitalize(), field. identifier) if field.type_id == 'array': t = field.options['fill'].value if t in JAVA_TYPE_MAP: if 'size' in field.options: return 'builder.putArrayof%s(%s, %d)' % (t.capitalize(), field.identifier, field.options['size'].value) else: return 'builder.putArrayof%s(%s)' % (t.capitalize(), field. identifier) elif 'size' in field.options: return 'builder.putArray(%s, %d)' % (field.identifier, field. options['size'].value) else: return 'builder.putArray(%s)' % field.identifier else: return '%s.build(builder)' % field.identifier
build_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field):\n if field.type_id == 'string':\n if 'size' in field.options:\n return 'builder.putString(%s, %d)' % (field.identifier, field.\n options['size'].value)\n else:\n return 'builder.putString(%s)' % field.identifier\n elif field.type_id in JAVA_TYPE_MAP:\n return 'builder.put%s(%s)' % (field.type_id.capitalize(), field.\n identifier)\n if field.type_id == 'array':\n t = field.options['fill'].value\n if t in JAVA_TYPE_MAP:\n if 'size' in field.options:\n return 'builder.putArrayof%s(%s, %d)' % (t.capitalize(),\n field.identifier, field.options['size'].value)\n else:\n return 'builder.putArrayof%s(%s)' % (t.capitalize(), field.\n identifier)\n elif 'size' in field.options:\n return 'builder.putArray(%s, %d)' % (field.identifier, field.\n options['size'].value)\n else:\n return 'builder.putArray(%s)' % field.identifier\n else:\n return '%s.build(builder)' % field.identifier\n", "role": "user" }, { "content": "build_type", "role": "assistant" } ]
def x(output_dir, package_spec, jenv=JENV): path, module_name = package_spec.filepath java_template = jenv.get_template(TEMPLATE_NAME) module_path = 'com.' + package_spec.identifier yaml_filepath = '/'.join(package_spec.filepath) + '.yaml' includes = ['.'.join(i.split('.')[:-1]) for i in package_spec.includes] includes = [i for i in includes if i != 'types'] for msg in package_spec.definitions: msg_name = classnameify(msg.identifier ) if msg.sbp_id else msg.identifier l = '/'.join(package_spec.filepath) destination_filename = '%s/com/%s/%s.java' % (output_dir, l, msg_name) if not os.path.exists(os.path.dirname(destination_filename)): os.mkdir(os.path.dirname(destination_filename)) with open(destination_filename, 'w+') as f: print(destination_filename) f.write(java_template.render(m=msg, filepath=yaml_filepath, module_path=module_path, include=includes, description= package_spec.description))
render_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_dir, package_spec, jenv=JENV):\n path, module_name = package_spec.filepath\n java_template = jenv.get_template(TEMPLATE_NAME)\n module_path = 'com.' + package_spec.identifier\n yaml_filepath = '/'.join(package_spec.filepath) + '.yaml'\n includes = ['.'.join(i.split('.')[:-1]) for i in package_spec.includes]\n includes = [i for i in includes if i != 'types']\n for msg in package_spec.definitions:\n msg_name = classnameify(msg.identifier\n ) if msg.sbp_id else msg.identifier\n l = '/'.join(package_spec.filepath)\n destination_filename = '%s/com/%s/%s.java' % (output_dir, l, msg_name)\n if not os.path.exists(os.path.dirname(destination_filename)):\n os.mkdir(os.path.dirname(destination_filename))\n with open(destination_filename, 'w+') as f:\n print(destination_filename)\n f.write(java_template.render(m=msg, filepath=yaml_filepath,\n module_path=module_path, include=includes, description=\n package_spec.description))\n", "role": "user" }, { "content": "render_source", "role": "assistant" } ]
def x(output_dir, packages, jenv=JENV): destination_filename = (output_dir + '/com/swiftnav/sbp/client/MessageTable.java') with open(destination_filename, 'w+') as f: print(destination_filename) f.write(jenv.get_template(TEMPLATE_TABLE_NAME).render(packages= packages))
render_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_dir, packages, jenv=JENV):\n destination_filename = (output_dir +\n '/com/swiftnav/sbp/client/MessageTable.java')\n with open(destination_filename, 'w+') as f:\n print(destination_filename)\n f.write(jenv.get_template(TEMPLATE_TABLE_NAME).render(packages=\n packages))\n", "role": "user" }, { "content": "render_table", "role": "assistant" } ]
def x(f, type_map=CONSTRUCT_CODE): formatted = '' if type_map.get(f.type_id, None): return "%s('%s')" % (type_map.get(f.type_id), f.identifier) elif f.type_id == 'string' and f.options.get('size', None): return "string('%s', { length: %d })" % (f.identifier, f.options[ 'size'].value) elif f.type_id == 'string': return "string('%s', { greedy: true })" % f.identifier elif f.type_id == 'array': fill = f.options['fill'].value f_ = copy.copy(f) f_.type_id = fill size = f.options.get('size', None) size_fn = f.options.get('size_fn', None) field_type = type_map.get(f_.type_id, None) if field_type is None: field_type = '%s.prototype.parser' % f_.type_id else: field_type = "'%s'" % field_type if size is not None: d = {"'uint16'": "'uint16le'", "'uint32'": "'uint32le'", "'uint64'": "'uint16le'", "'int16'": "'int16le'", "'int32'": "'int32le'", "'int64'": "'int16le'"} field_type_arr = d.get(field_type, field_type) return "array('%s', { length: %d, type: %s })" % (f.identifier, size.value, field_type_arr) elif f.options.get('size_fn') is not None: return "array('%s', { type: %s, length: '%s' })" % (f_. identifier, field_type, size_fn.value) else: return "array('%s', { type: %s, readUntil: 'eof' })" % (f_. identifier, field_type) else: return "nest('%s', { type: %s.prototype.parser })" % (f.identifier, f.type_id) return formatted
construct_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, type_map=CONSTRUCT_CODE):\n formatted = ''\n if type_map.get(f.type_id, None):\n return \"%s('%s')\" % (type_map.get(f.type_id), f.identifier)\n elif f.type_id == 'string' and f.options.get('size', None):\n return \"string('%s', { length: %d })\" % (f.identifier, f.options[\n 'size'].value)\n elif f.type_id == 'string':\n return \"string('%s', { greedy: true })\" % f.identifier\n elif f.type_id == 'array':\n fill = f.options['fill'].value\n f_ = copy.copy(f)\n f_.type_id = fill\n size = f.options.get('size', None)\n size_fn = f.options.get('size_fn', None)\n field_type = type_map.get(f_.type_id, None)\n if field_type is None:\n field_type = '%s.prototype.parser' % f_.type_id\n else:\n field_type = \"'%s'\" % field_type\n if size is not None:\n d = {\"'uint16'\": \"'uint16le'\", \"'uint32'\": \"'uint32le'\",\n \"'uint64'\": \"'uint16le'\", \"'int16'\": \"'int16le'\", \"'int32'\":\n \"'int32le'\", \"'int64'\": \"'int16le'\"}\n field_type_arr = d.get(field_type, field_type)\n return \"array('%s', { length: %d, type: %s })\" % (f.identifier,\n size.value, field_type_arr)\n elif f.options.get('size_fn') is not None:\n return \"array('%s', { type: %s, length: '%s' })\" % (f_.\n identifier, field_type, size_fn.value)\n else:\n return \"array('%s', { type: %s, readUntil: 'eof' })\" % (f_.\n identifier, field_type)\n else:\n return \"nest('%s', { type: %s.prototype.parser })\" % (f.identifier,\n f.type_id)\n return formatted\n", "role": "user" }, { "content": "construct_format", "role": "assistant" } ]
def x(s): if not '_' in s: return s return ''.join(w[0].upper() + w[1:].lower() for w in s.split('_'))
js_classnameify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if not '_' in s:\n return s\n return ''.join(w[0].upper() + w[1:].lower() for w in s.split('_'))\n", "role": "user" }, { "content": "js_classnameify", "role": "assistant" } ]
def x(self, d): p = MsgEphemerisGPSDepF._parser.parse(d) for n in self.__class__.__slots__: setattr(self, n, getattr(p, n))
from_binary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d):\n p = MsgEphemerisGPSDepF._parser.parse(d)\n for n in self.__class__.__slots__:\n setattr(self, n, getattr(p, n))\n", "role": "user" }, { "content": "from_binary", "role": "assistant" } ]
def x(self): c = containerize(exclude_fields(self)) self.payload = MsgEphemerisGPSDepF._parser.build(c) return self.pack()
to_binary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n c = containerize(exclude_fields(self))\n self.payload = MsgEphemerisGPSDepF._parser.build(c)\n return self.pack()\n", "role": "user" }, { "content": "to_binary", "role": "assistant" } ]
def x(self, buf, offset): self.payload = containerize(exclude_fields(self)) self.parser = MsgEphemerisGPSDepF._parser self.stream_payload.reset(buf, offset) return self.pack_into(buf, offset, self._build_payload)
into_buffer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buf, offset):\n self.payload = containerize(exclude_fields(self))\n self.parser = MsgEphemerisGPSDepF._parser\n self.stream_payload.reset(buf, offset)\n return self.pack_into(buf, offset, self._build_payload)\n", "role": "user" }, { "content": "into_buffer", "role": "assistant" } ]
def x(self, size): data = b'' while len(data) < size: d = self._read(size - len(data)) if self._broken: raise StopIteration if not d: time.sleep(0) continue data += d return data
readall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n data = b''\n while len(data) < size:\n d = self._read(size - len(data))\n if self._broken:\n raise StopIteration\n if not d:\n time.sleep(0)\n continue\n data += d\n return data\n", "role": "user" }, { "content": "readall", "role": "assistant" } ]
def x(self): preamble = self._read(1) if not preamble: return None elif ord(preamble) != SBP_PREAMBLE: if self._verbose: print('Host Side Unhandled byte: 0x%02x' % ord(preamble)) return None hdr = self._readall(5) msg_crc = crc16(hdr) msg_type, sender, msg_len = struct.unpack('<HHB', hdr) data = self._readall(msg_len) msg_crc = crc16(data, msg_crc) crc = self._readall(2) crc, = struct.unpack('<H', crc) if crc != msg_crc: if self._verbose: print('crc mismatch: 0x%04X 0x%04X' % (msg_crc, crc)) return None msg = SBP(msg_type, sender, msg_len, data, crc) try: msg = self._dispatch(msg) except Exception as exc: warnings.warn('SBP dispatch error: %s' % (exc,)) return msg
receive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n preamble = self._read(1)\n if not preamble:\n return None\n elif ord(preamble) != SBP_PREAMBLE:\n if self._verbose:\n print('Host Side Unhandled byte: 0x%02x' % ord(preamble))\n return None\n hdr = self._readall(5)\n msg_crc = crc16(hdr)\n msg_type, sender, msg_len = struct.unpack('<HHB', hdr)\n data = self._readall(msg_len)\n msg_crc = crc16(data, msg_crc)\n crc = self._readall(2)\n crc, = struct.unpack('<H', crc)\n if crc != msg_crc:\n if self._verbose:\n print('crc mismatch: 0x%04X 0x%04X' % (msg_crc, crc))\n return None\n msg = SBP(msg_type, sender, msg_len, data, crc)\n try:\n msg = self._dispatch(msg)\n except Exception as exc:\n warnings.warn('SBP dispatch error: %s' % (exc,))\n return msg\n", "role": "user" }, { "content": "receive", "role": "assistant" } ]
def x(msg, table=_SBP_TABLE): try: return table[msg.msg_type](msg) except KeyError: warn = 'No message found for msg_type id %d for msg %s.' % (msg. msg_type, msg) warnings.warn(warn, RuntimeWarning) return msg except FormatFieldError: warnings.warn('SBP payload deserialization error! 0x%x' % msg. msg_type, RuntimeWarning) return msg
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, table=_SBP_TABLE):\n try:\n return table[msg.msg_type](msg)\n except KeyError:\n warn = 'No message found for msg_type id %d for msg %s.' % (msg.\n msg_type, msg)\n warnings.warn(warn, RuntimeWarning)\n return msg\n except FormatFieldError:\n warnings.warn('SBP payload deserialization error! 0x%x' % msg.\n msg_type, RuntimeWarning)\n return msg\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self): for msg, metadata in self._source: if msg.msg_type: self._call(msg, **metadata) for sink in self._sinks: i = sink() if i is not None: i.breakiter() self._dead = True
recv_thread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for msg, metadata in self._source:\n if msg.msg_type:\n self._call(msg, **metadata)\n for sink in self._sinks:\n i = sink()\n if i is not None:\n i.breakiter()\n self._dead = True\n", "role": "user" }, { "content": "recv_thread", "role": "assistant" } ]
def x(self, msg_type=None, maxsize=0): if self._dead: return iter(()) iterator = Handler._SBPQueueIterator(maxsize) ref = weakref.ref(iterator) self._sinks.append(ref) def x(msg, **metadata): i = ref() if i is not None: i(msg, **metadata) else: raise Handler._DeadCallbackException self.add_callback(feediter, msg_type) return iterator
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg_type=None, maxsize=0):\n if self._dead:\n return iter(())\n iterator = Handler._SBPQueueIterator(maxsize)\n ref = weakref.ref(iterator)\n self._sinks.append(ref)\n\n def x(msg, **metadata):\n i = ref()\n if i is not None:\n i(msg, **metadata)\n else:\n raise Handler._DeadCallbackException\n self.add_callback(feediter, msg_type)\n return iterator\n", "role": "user" }, { "content": "filter", "role": "assistant" } ]
def x(self, callback, msg_type=None): cb_keys = self._to_iter(msg_type) if cb_keys is not None: for msg_type_ in cb_keys: self._callbacks[msg_type_].add(callback) else: self._callbacks[msg_type].add(callback)
add_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback, msg_type=None):\n cb_keys = self._to_iter(msg_type)\n if cb_keys is not None:\n for msg_type_ in cb_keys:\n self._callbacks[msg_type_].add(callback)\n else:\n self._callbacks[msg_type].add(callback)\n", "role": "user" }, { "content": "add_callback", "role": "assistant" } ]
def x(self, callback, msg_type=None): if msg_type is None: msg_type = self._callbacks.keys() cb_keys = self._to_iter(msg_type) if cb_keys is not None: for msg_type_ in cb_keys: try: self._callbacks[msg_type_].remove(callback) except KeyError: pass else: self._callbacks[msg_type].remove(callback)
remove_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback, msg_type=None):\n if msg_type is None:\n msg_type = self._callbacks.keys()\n cb_keys = self._to_iter(msg_type)\n if cb_keys is not None:\n for msg_type_ in cb_keys:\n try:\n self._callbacks[msg_type_].remove(callback)\n except KeyError:\n pass\n else:\n self._callbacks[msg_type].remove(callback)\n", "role": "user" }, { "content": "remove_callback", "role": "assistant" } ]
def x(self): deadsinks = [] for i in self._sinks: if i() is None: deadsinks.append(i) for i in deadsinks: self._sinks.remove(i)
gc_dead_sinks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n deadsinks = []\n for i in self._sinks:\n if i() is None:\n deadsinks.append(i)\n for i in deadsinks:\n self._sinks.remove(i)\n", "role": "user" }, { "content": "gc_dead_sinks", "role": "assistant" } ]
def x(self, msg, **metadata): if msg.msg_type: for callback in self._get_callbacks(msg.msg_type): try: callback(msg, **metadata) except Handler._DeadCallbackException: self.remove_callback(callback) self._gc_dead_sinks() except SystemExit: raise except: import traceback traceback.print_exc()
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg, **metadata):\n if msg.msg_type:\n for callback in self._get_callbacks(msg.msg_type):\n try:\n callback(msg, **metadata)\n except Handler._DeadCallbackException:\n self.remove_callback(callback)\n self._gc_dead_sinks()\n except SystemExit:\n raise\n except:\n import traceback\n traceback.print_exc()\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(self, msg_type, timeout=1.0): event = threading.Event() payload = {'data': None} def x(sbp_msg, **metadata): payload['data'] = sbp_msg event.set() self.add_callback(cb, msg_type) event.wait(timeout) self.remove_callback(cb, msg_type) return payload['data']
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg_type, timeout=1.0):\n event = threading.Event()\n payload = {'data': None}\n\n def x(sbp_msg, **metadata):\n payload['data'] = sbp_msg\n event.set()\n self.add_callback(cb, msg_type)\n event.wait(timeout)\n self.remove_callback(cb, msg_type)\n return payload['data']\n", "role": "user" }, { "content": "wait", "role": "assistant" } ]
def x(self, callback, msg_type=None, timeout=1.0): event = threading.Event() def x(msg, **metadata): callback(msg, **metadata) event.set() self.add_callback(cb, msg_type) event.wait(timeout) self.remove_callback(cb, msg_type)
wait_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback, msg_type=None, timeout=1.0):\n event = threading.Event()\n\n def x(msg, **metadata):\n callback(msg, **metadata)\n event.set()\n self.add_callback(cb, msg_type)\n event.wait(timeout)\n self.remove_callback(cb, msg_type)\n", "role": "user" }, { "content": "wait_callback", "role": "assistant" } ]
def x(self, size): try: return_val = self.handle.read(size) if return_val == '': print() print('Piksi disconnected') print() raise IOError return return_val except OSError: print() print('Piksi disconnected') print() raise IOError
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n try:\n return_val = self.handle.read(size)\n if return_val == '':\n print()\n print('Piksi disconnected')\n print()\n raise IOError\n return return_val\n except OSError:\n print()\n print('Piksi disconnected')\n print()\n raise IOError\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, s): try: return self.handle.write(s) except OSError: print() print('Piksi disconnected') print() raise IOError
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n try:\n return self.handle.write(s)\n except OSError:\n print()\n print('Piksi disconnected')\n print()\n raise IOError\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(obj): items = {k: v for k, v in list(obj.__dict__.items())} return '<%s: {%s}>' % (obj.__class__.__name__, pprint.pformat(items, width=1))
fmt_repr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n items = {k: v for k, v in list(obj.__dict__.items())}\n return '<%s: {%s}>' % (obj.__class__.__name__, pprint.pformat(items,\n width=1))\n", "role": "user" }, { "content": "fmt_repr", "role": "assistant" } ]
def x(self, sbp_msg, **metadata): if sbp_msg.msg_type == SBP_MSG_SETTINGS_READ_RESP: section, setting, value = sbp_msg.payload.split(b'\x00')[:3] self.settings.append((section, setting, value))
capture_setting
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sbp_msg, **metadata):\n if sbp_msg.msg_type == SBP_MSG_SETTINGS_READ_RESP:\n section, setting, value = sbp_msg.payload.split(b'\\x00')[:3]\n self.settings.append((section, setting, value))\n", "role": "user" }, { "content": "capture_setting", "role": "assistant" } ]
def x(self, section, setting, value, wait_time=5.0): expire = time.time() + wait_time ok = False while not ok and time.time() < expire: settings = [x for x in self.settings if (x[0], x[1]) == (section, setting)] if len(settings) > 0: ok = settings[-1][2] == value time.sleep(0.1) return ok
wait_for_setting_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section, setting, value, wait_time=5.0):\n expire = time.time() + wait_time\n ok = False\n while not ok and time.time() < expire:\n settings = [x for x in self.settings if (x[0], x[1]) == (section,\n setting)]\n if len(settings) > 0:\n ok = settings[-1][2] == value\n time.sleep(0.1)\n return ok\n", "role": "user" }, { "content": "wait_for_setting_value", "role": "assistant" } ]
def x(self, section=None, setting=None, value=None): match = [all((section is None or x_y_z[0] == section, setting is None or x_y_z[1] == setting, value is None or x_y_z[2] == value)) for x_y_z in self.settings] keep = [setting_remove for setting_remove in zip(self.settings, match) if not setting_remove[1]] self.settings[:] = [x[0] for x in keep]
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section=None, setting=None, value=None):\n match = [all((section is None or x_y_z[0] == section, setting is None or\n x_y_z[1] == setting, value is None or x_y_z[2] == value)) for x_y_z in\n self.settings]\n keep = [setting_remove for setting_remove in zip(self.settings, match) if\n not setting_remove[1]]\n self.settings[:] = [x[0] for x in keep]\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(f, type_map=CONSTRUCT_CODE): formatted = '' if type_map.get(f.type_id, None): return "'{identifier}' / {type_id}".format(type_id=type_map.get(f. type_id), identifier=f.identifier) elif f.type_id == 'string' and f.options.get('size', None): return "'{id}'/ construct.Bytes({size})".format(id=f.identifier, size=f.options['size'].value) elif f.type_id == 'string': return "'{id}' / construct.GreedyBytes".format(id=f.identifier) elif f.type_id == 'array' and f.options.get('size', None): fill = f.options['fill'].value f_ = copy.copy(f) f_.type_id = fill s = f.options.get('size', None).value return "'{id}' / construct.Array({size}, {type})".format(id=f. identifier, size=s, type=type_map.get(f_.type_id, 'construct.Byte') ) elif f.type_id == 'array': fill = f.options['fill'].value f_ = copy.copy(f) f_.type_id = fill return 'construct.GreedyRange(%s)' % construct_format(f_) else: return "'%s' / construct.Struct(%s._parser)" % (f.identifier, f.type_id ) return formatted
construct_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, type_map=CONSTRUCT_CODE):\n formatted = ''\n if type_map.get(f.type_id, None):\n return \"'{identifier}' / {type_id}\".format(type_id=type_map.get(f.\n type_id), identifier=f.identifier)\n elif f.type_id == 'string' and f.options.get('size', None):\n return \"'{id}'/ construct.Bytes({size})\".format(id=f.identifier,\n size=f.options['size'].value)\n elif f.type_id == 'string':\n return \"'{id}' / construct.GreedyBytes\".format(id=f.identifier)\n elif f.type_id == 'array' and f.options.get('size', None):\n fill = f.options['fill'].value\n f_ = copy.copy(f)\n f_.type_id = fill\n s = f.options.get('size', None).value\n return \"'{id}' / construct.Array({size}, {type})\".format(id=f.\n identifier, size=s, type=type_map.get(f_.type_id, 'construct.Byte')\n )\n elif f.type_id == 'array':\n fill = f.options['fill'].value\n f_ = copy.copy(f)\n f_.type_id = fill\n return 'construct.GreedyRange(%s)' % construct_format(f_)\n else:\n return \"'%s' / construct.Struct(%s._parser)\" % (f.identifier, f.type_id\n )\n return formatted\n", "role": "user" }, { "content": "construct_format", "role": "assistant" } ]
def x(output_dir, package_spec, jenv=JENV): path, name = package_spec.filepath directory = output_dir destination_filename = '%s/%s.py' % (directory, name) py_template = jenv.get_template(TEMPLATE_NAME) module_path = '.'.join(package_spec.identifier.split('.')[1:-1]) includes = ['.'.join(i.split('.')[:-1]) for i in package_spec.includes] includes = [i for i in includes if i != 'types'] print(destination_filename, includes) with open(destination_filename, 'w') as f: f.write(py_template.render(msgs=package_spec.definitions, filepath= '/'.join(package_spec.filepath) + '.yaml', module_path= module_path, include=includes, timestamp=package_spec. creation_timestamp, description=package_spec.description))
render_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_dir, package_spec, jenv=JENV):\n path, name = package_spec.filepath\n directory = output_dir\n destination_filename = '%s/%s.py' % (directory, name)\n py_template = jenv.get_template(TEMPLATE_NAME)\n module_path = '.'.join(package_spec.identifier.split('.')[1:-1])\n includes = ['.'.join(i.split('.')[:-1]) for i in package_spec.includes]\n includes = [i for i in includes if i != 'types']\n print(destination_filename, includes)\n with open(destination_filename, 'w') as f:\n f.write(py_template.render(msgs=package_spec.definitions, filepath=\n '/'.join(package_spec.filepath) + '.yaml', module_path=\n module_path, include=includes, timestamp=package_spec.\n creation_timestamp, description=package_spec.description))\n", "role": "user" }, { "content": "render_source", "role": "assistant" } ]
def x(self, size): data = None while True: try: data = self.handle.recv(size) except socket.timeout as socket_error: self._reconnect(socket_error) except socket.error as socket_error: if socket_error.errno == errno.EINTR: continue self._reconnect(IOError) if not data: self._reconnect(IOError) break return data
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n data = None\n while True:\n try:\n data = self.handle.recv(size)\n except socket.timeout as socket_error:\n self._reconnect(socket_error)\n except socket.error as socket_error:\n if socket_error.errno == errno.EINTR:\n continue\n self._reconnect(IOError)\n if not data:\n self._reconnect(IOError)\n break\n return data\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, s): try: self._write_lock.acquire() self.handle.sendall(s) except socket.timeout: self._connect() except socket.error: raise IOError finally: self._write_lock.release()
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n try:\n self._write_lock.acquire()\n self.handle.sendall(s)\n except socket.timeout:\n self._connect()\n except socket.error:\n raise IOError\n finally:\n self._write_lock.release()\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(obj, exclude=EXCLUDE): return dict([(k, getattr(obj, k)) for k in obj.__slots__ if k not in exclude])
exclude_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, exclude=EXCLUDE):\n return dict([(k, getattr(obj, k)) for k in obj.__slots__ if k not in\n exclude])\n", "role": "user" }, { "content": "exclude_fields", "role": "assistant" } ]
def x(coll): if isinstance(coll, dict): return dict((k, walk_json_dict(v)) for k, v in iter(coll.items())) elif isinstance(coll, bytes): return coll.decode('ascii') elif hasattr(coll, '__iter__') and not isinstance(coll, str): return [walk_json_dict(seq) for seq in coll] else: return coll
walk_json_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(coll):\n if isinstance(coll, dict):\n return dict((k, walk_json_dict(v)) for k, v in iter(coll.items()))\n elif isinstance(coll, bytes):\n return coll.decode('ascii')\n elif hasattr(coll, '__iter__') and not isinstance(coll, str):\n return [walk_json_dict(seq) for seq in coll]\n else:\n return coll\n", "role": "user" }, { "content": "walk_json_dict", "role": "assistant" } ]
def x(coll): if isinstance(coll, Container): [setattr(coll, k, containerize(v)) for k, v in coll.items()] return coll elif isinstance(coll, dict): return containerize(Container(**coll)) elif isinstance(coll, list): for j, i in enumerate(coll): if isinstance(i, dict): coll[j] = containerize(Container(**i)) return coll else: return coll
containerize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(coll):\n if isinstance(coll, Container):\n [setattr(coll, k, containerize(v)) for k, v in coll.items()]\n return coll\n elif isinstance(coll, dict):\n return containerize(Container(**coll))\n elif isinstance(coll, list):\n for j, i in enumerate(coll):\n if isinstance(i, dict):\n coll[j] = containerize(Container(**i))\n return coll\n else:\n return coll\n", "role": "user" }, { "content": "containerize", "role": "assistant" } ]
def x(obj): items = [('%s = %r' % (k, v)) for k, v in list(exclude_fields(obj).items()) ] return '<%s: {%s}>' % (obj.__class__.__name__, ', '.join(items))
fmt_repr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n items = [('%s = %r' % (k, v)) for k, v in list(exclude_fields(obj).items())\n ]\n return '<%s: {%s}>' % (obj.__class__.__name__, ', '.join(items))\n", "role": "user" }, { "content": "fmt_repr", "role": "assistant" } ]
def x(filename, verbose=False): contents = None with open(filename, 'r') as f: contents = yaml.load(f) if contents is None: raise Exception('Empty yaml file: %s.' % filename) try: s.package_schema(contents) except Exception as e: sys.stderr.write('Invalid SBP YAML specification: %s.\n' % filename ) raise e return contents
read_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, verbose=False):\n contents = None\n with open(filename, 'r') as f:\n contents = yaml.load(f)\n if contents is None:\n raise Exception('Empty yaml file: %s.' % filename)\n try:\n s.package_schema(contents)\n except Exception as e:\n sys.stderr.write('Invalid SBP YAML specification: %s.\\n' % filename\n )\n raise e\n return contents\n", "role": "user" }, { "content": "read_spec", "role": "assistant" } ]
def x(input_file): file_index = {} base_dir = None if os.path.isfile(input_file): file_index[input_file] = None base_dir = os.path.dirname(input_file) elif os.path.isdir(input_file): base_dir = input_file for inf in glob.glob(input_file + s.SBP_EXTENSION): file_index[os.path.abspath(inf)] = None for inf in glob.glob(input_file + '/*'): base, index = get_files(os.path.abspath(inf)) z = file_index.copy() z.update(index) file_index = z return base_dir, file_index
get_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_file):\n file_index = {}\n base_dir = None\n if os.path.isfile(input_file):\n file_index[input_file] = None\n base_dir = os.path.dirname(input_file)\n elif os.path.isdir(input_file):\n base_dir = input_file\n for inf in glob.glob(input_file + s.SBP_EXTENSION):\n file_index[os.path.abspath(inf)] = None\n for inf in glob.glob(input_file + '/*'):\n base, index = get_files(os.path.abspath(inf))\n z = file_index.copy()\n z.update(index)\n file_index = z\n return base_dir, file_index\n", "role": "user" }, { "content": "get_files", "role": "assistant" } ]
def x(base_dir, file_index): def x(tree, index={}): for include in tree.get('include', []): fname = base_dir + '/' + include assert os.path.exists(fname), 'File %s does not exist.' % fname if fname not in index: index[fname] = read_spec(fname) index.update(flatten(index[fname], file_index)) return index for fname, contents in file_index.items(): file_index[fname] = read_spec(fname) file_index.update(flatten(file_index[fname], file_index)) return file_index
resolve_deps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(base_dir, file_index):\n\n def x(tree, index={}):\n for include in tree.get('include', []):\n fname = base_dir + '/' + include\n assert os.path.exists(fname), 'File %s does not exist.' % fname\n if fname not in index:\n index[fname] = read_spec(fname)\n index.update(flatten(index[fname], file_index))\n return index\n for fname, contents in file_index.items():\n file_index[fname] = read_spec(fname)\n file_index.update(flatten(file_index[fname], file_index))\n return file_index\n", "role": "user" }, { "content": "resolve_deps", "role": "assistant" } ]
def x(contents): package = contents.get('package', None) description = contents.get('description', None) include = contents.get('include', []) definitions = contents.get('definitions', []) resolved = [mk_definition(defn) for defn in definitions] return sbp.PackageSpecification(identifier=package, description= description, includes=include, definitions=resolved, render_source= contents.get('render_source', True), stable=contents.get('stable', False), public=contents.get('public', True))
mk_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(contents):\n package = contents.get('package', None)\n description = contents.get('description', None)\n include = contents.get('include', [])\n definitions = contents.get('definitions', [])\n resolved = [mk_definition(defn) for defn in definitions]\n return sbp.PackageSpecification(identifier=package, description=\n description, includes=include, definitions=resolved, render_source=\n contents.get('render_source', True), stable=contents.get('stable', \n False), public=contents.get('public', True))\n", "role": "user" }, { "content": "mk_package", "role": "assistant" } ]
def x(defn): assert len(defn) == 1 identifier, contents = next(iter(defn.items())) fs = [mk_field(f) for f in contents.get('fields', [])] return sbp.resolve_type(sbp.Definition(identifier=identifier, sbp_id= contents.get('id', None), short_desc=contents.get('short_desc', None), desc=contents.get('desc', None), type_id=contents.get('type' ), fields=fs, public=contents.get('public', True)))
mk_definition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(defn):\n assert len(defn) == 1\n identifier, contents = next(iter(defn.items()))\n fs = [mk_field(f) for f in contents.get('fields', [])]\n return sbp.resolve_type(sbp.Definition(identifier=identifier, sbp_id=\n contents.get('id', None), short_desc=contents.get('short_desc',\n None), desc=contents.get('desc', None), type_id=contents.get('type'\n ), fields=fs, public=contents.get('public', True)))\n", "role": "user" }, { "content": "mk_definition", "role": "assistant" } ]
def x(field): assert len(field) == 1 identifier, contents = next(iter(field.items())) contents = dict(list({'units': '', 'n_with_values': 0}.items()) + list( contents.items())) return sbp.resolve_type(sbp.Field(identifier=identifier, type_id= contents.pop('type'), options=contents))
mk_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field):\n assert len(field) == 1\n identifier, contents = next(iter(field.items()))\n contents = dict(list({'units': '', 'n_with_values': 0}.items()) + list(\n contents.items()))\n return sbp.resolve_type(sbp.Field(identifier=identifier, type_id=\n contents.pop('type'), options=contents))\n", "role": "user" }, { "content": "mk_field", "role": "assistant" } ]
def x(s): if s.startswith('GPSTime'): s = 'Gps' + s[3:] if '_' in s: s = ''.join([i.capitalize() for i in s.split('_')]) return s[0].lower() + s[1:]
to_global
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if s.startswith('GPSTime'):\n s = 'Gps' + s[3:]\n if '_' in s:\n s = ''.join([i.capitalize() for i in s.split('_')])\n return s[0].lower() + s[1:]\n", "role": "user" }, { "content": "to_global", "role": "assistant" } ]
def x(s): if s.startswith('GPSTime'): s = 'Gps' + s[3:] if '_' in s: return ''.join([i.capitalize() for i in s.split('_')]) return s
to_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if s.startswith('GPSTime'):\n s = 'Gps' + s[3:]\n if '_' in s:\n return ''.join([i.capitalize() for i in s.split('_')])\n return s\n", "role": "user" }, { "content": "to_data", "role": "assistant" } ]
def x(f, type_map=CONSTRUCT_CODE): name = f.type_id if name.startswith('GPSTime'): name = 'Gps' + name[3:] if type_map.get(name, None): return type_map.get(name, None) elif name == 'array': fill = f.options['fill'].value f_ = copy.copy(f) f_.type_id = fill return '[%s]' % to_type(f_) return name
to_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, type_map=CONSTRUCT_CODE):\n name = f.type_id\n if name.startswith('GPSTime'):\n name = 'Gps' + name[3:]\n if type_map.get(name, None):\n return type_map.get(name, None)\n elif name == 'array':\n fill = f.options['fill'].value\n f_ = copy.copy(f)\n f_.type_id = fill\n return '[%s]' % to_type(f_)\n return name\n", "role": "user" }, { "content": "to_type", "role": "assistant" } ]
def x(output_dir, package_spec): path, name = package_spec.filepath module_prefix = 'SwiftNav.SBP' module_name = camel_case(name) full_module_name = '.'.join([module_prefix, module_name]) destination_filename = '%s/src/SwiftNav/SBP/%s.hs' % (output_dir, module_name) py_template = JENV.get_template(MESSAGES_TEMPLATE_NAME) module_includes = ['.'.join([module_prefix] + [camel_case(j) for j in i .split('.')[:-1]]) for i in package_spec.includes] with open(destination_filename, 'w') as f: f.write(py_template.render(msgs=package_spec.definitions, description=package_spec.description, module_name= full_module_name, module_includes=module_includes))
render_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_dir, package_spec):\n path, name = package_spec.filepath\n module_prefix = 'SwiftNav.SBP'\n module_name = camel_case(name)\n full_module_name = '.'.join([module_prefix, module_name])\n destination_filename = '%s/src/SwiftNav/SBP/%s.hs' % (output_dir,\n module_name)\n py_template = JENV.get_template(MESSAGES_TEMPLATE_NAME)\n module_includes = ['.'.join([module_prefix] + [camel_case(j) for j in i\n .split('.')[:-1]]) for i in package_spec.includes]\n with open(destination_filename, 'w') as f:\n f.write(py_template.render(msgs=package_spec.definitions,\n description=package_spec.description, module_name=\n full_module_name, module_includes=module_includes))\n", "role": "user" }, { "content": "render_source", "role": "assistant" } ]
def x(value): if value is None: return if len(value.split('\n')) == 1: return '* ' + value else: return '\n'.join([(' * ' + l) for l in value.split('\n')[:-1]])
to_comment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value is None:\n return\n if len(value.split('\\n')) == 1:\n return '* ' + value\n else:\n return '\\n'.join([(' * ' + l) for l in value.split('\\n')[:-1]])\n", "role": "user" }, { "content": "to_comment", "role": "assistant" } ]
def x(s): if s.startswith('GPS'): s = 'Gps' + s[3:] return ''.join([i.capitalize() for i in s.split('_')]) if '_' in s else s
to_identifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if s.startswith('GPS'):\n s = 'Gps' + s[3:]\n return ''.join([i.capitalize() for i in s.split('_')]) if '_' in s else s\n", "role": "user" }, { "content": "to_identifier", "role": "assistant" } ]
def x(output_dir, package_spec): path, name = package_spec.filepath destination_filename = '%s/%s.proto' % (output_dir, name) pb_template = JENV.get_template(MESSAGES_TEMPLATE_NAME) includes = [(include[:-5] if include.endswith('.yaml') else include) for include in package_spec.includes] if 'types' in includes: includes.remove('types') with open(destination_filename, 'w') as f: f.write(pb_template.render(name=name, package=package_spec. identifier, messages=package_spec.definitions, includes= includes, description=package_spec.description))
render_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_dir, package_spec):\n path, name = package_spec.filepath\n destination_filename = '%s/%s.proto' % (output_dir, name)\n pb_template = JENV.get_template(MESSAGES_TEMPLATE_NAME)\n includes = [(include[:-5] if include.endswith('.yaml') else include) for\n include in package_spec.includes]\n if 'types' in includes:\n includes.remove('types')\n with open(destination_filename, 'w') as f:\n f.write(pb_template.render(name=name, package=package_spec.\n identifier, messages=package_spec.definitions, includes=\n includes, description=package_spec.description))\n", "role": "user" }, { "content": "render_source", "role": "assistant" } ]
def x(**kwargs): if 'project' in kwargs: raise DXError('Unexpected kwarg: "project"') if dxpy.JOB_ID is None: raise DXError('Not called by a job') if ('DX_RESOURCES_ID' not in os.environ and 'DX_PROJECT_CONTEXT_ID' not in os.environ): raise DXError('App resources container ID could not be found') kwargs['project'] = os.environ.get('DX_RESOURCES_ID', os.environ.get( 'DX_PROJECT_CONTEXT_ID')) kwargs['return_handler'] = True return find_one_data_object(**kwargs)
load_app_resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n if 'project' in kwargs:\n raise DXError('Unexpected kwarg: \"project\"')\n if dxpy.JOB_ID is None:\n raise DXError('Not called by a job')\n if ('DX_RESOURCES_ID' not in os.environ and 'DX_PROJECT_CONTEXT_ID' not in\n os.environ):\n raise DXError('App resources container ID could not be found')\n kwargs['project'] = os.environ.get('DX_RESOURCES_ID', os.environ.get(\n 'DX_PROJECT_CONTEXT_ID'))\n kwargs['return_handler'] = True\n return find_one_data_object(**kwargs)\n", "role": "user" }, { "content": "load_app_resource", "role": "assistant" } ]
def x(**kwargs): if 'project' in kwargs: raise DXError('Unexpected kwarg: "project"') if dxpy.JOB_ID is None: raise DXError('Not called by a job') if 'DX_PROJECT_CACHE_ID' not in os.environ: raise DXError( 'Project cache ID could not be found in the environment variable DX_PROJECT_CACHE_ID' ) kwargs['project'] = os.environ.get('DX_PROJECT_CACHE_ID') kwargs['return_handler'] = True cached_object = find_one_data_object(**kwargs) if cached_object is None: return None return cached_object.clone(dxpy.WORKSPACE_ID)
load_from_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n if 'project' in kwargs:\n raise DXError('Unexpected kwarg: \"project\"')\n if dxpy.JOB_ID is None:\n raise DXError('Not called by a job')\n if 'DX_PROJECT_CACHE_ID' not in os.environ:\n raise DXError(\n 'Project cache ID could not be found in the environment variable DX_PROJECT_CACHE_ID'\n )\n kwargs['project'] = os.environ.get('DX_PROJECT_CACHE_ID')\n kwargs['return_handler'] = True\n cached_object = find_one_data_object(**kwargs)\n if cached_object is None:\n return None\n return cached_object.clone(dxpy.WORKSPACE_ID)\n", "role": "user" }, { "content": "load_from_cache", "role": "assistant" } ]
def x(dxobject): if dxpy.JOB_ID is None: raise DXError('Not called by a job') if 'DX_PROJECT_CACHE_ID' not in os.environ: raise DXError( 'Project cache ID could not be found in the environment variable DX_PROJECT_CACHE_ID' ) dxobject.clone(os.environ.get('DX_PROJECT_CACHE_ID'))
save_to_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dxobject):\n if dxpy.JOB_ID is None:\n raise DXError('Not called by a job')\n if 'DX_PROJECT_CACHE_ID' not in os.environ:\n raise DXError(\n 'Project cache ID could not be found in the environment variable DX_PROJECT_CACHE_ID'\n )\n dxobject.clone(os.environ.get('DX_PROJECT_CACHE_ID'))\n", "role": "user" }, { "content": "save_to_cache", "role": "assistant" } ]
def x(executable_input, **kwargs): project = kwargs.get('project') or dxpy.WORKSPACE_ID run_input = {'input': executable_input} for arg in ['folder', 'name', 'tags', 'properties', 'details']: if kwargs.get(arg) is not None: run_input[arg] = kwargs[arg] if kwargs.get('instance_type') is not None or kwargs.get('cluster_spec' ) is not None: instance_type_srd = SystemRequirementsDict.from_instance_type(kwargs .get('instance_type')) cluster_spec_srd = SystemRequirementsDict(kwargs.get('cluster_spec')) run_input['systemRequirements'] = (instance_type_srd + cluster_spec_srd ).as_dict() if kwargs.get('depends_on') is not None: run_input['dependsOn'] = [] if isinstance(kwargs['depends_on'], list): for item in kwargs['depends_on']: if isinstance(item, DXJob) or isinstance(item, DXDataObject): if item.get_id() is None: raise DXError( 'A dxpy handler given in depends_on does not have an ID set' ) run_input['dependsOn'].append(item.get_id()) elif isinstance(item, basestring): run_input['dependsOn'].append(item) else: raise DXError( 'Expected elements of depends_on to only be either instances of DXJob or DXDataObject, or strings' ) else: raise DXError('Expected depends_on field to be a list') if kwargs.get('delay_workspace_destruction') is not None: run_input['delayWorkspaceDestruction'] = kwargs[ 'delay_workspace_destruction'] if kwargs.get('allow_ssh') is not None: run_input['allowSSH'] = kwargs['allow_ssh'] if kwargs.get('debug') is not None: run_input['debug'] = kwargs['debug'] if kwargs.get('priority') is not None: run_input['priority'] = kwargs['priority'] if kwargs.get('ignore_reuse') is not None: run_input['ignoreReuse'] = kwargs['ignore_reuse'] if dxpy.JOB_ID is None: run_input['project'] = project if kwargs.get('extra_args') is not None: merge(run_input, kwargs['extra_args']) return run_input
get_run_input_common_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(executable_input, **kwargs):\n project = kwargs.get('project') or dxpy.WORKSPACE_ID\n run_input = {'input': executable_input}\n for arg in ['folder', 'name', 'tags', 'properties', 'details']:\n if kwargs.get(arg) is not None:\n run_input[arg] = kwargs[arg]\n if kwargs.get('instance_type') is not None or kwargs.get('cluster_spec'\n ) is not None:\n instance_type_srd = SystemRequirementsDict.from_instance_type(kwargs\n .get('instance_type'))\n cluster_spec_srd = SystemRequirementsDict(kwargs.get('cluster_spec'))\n run_input['systemRequirements'] = (instance_type_srd + cluster_spec_srd\n ).as_dict()\n if kwargs.get('depends_on') is not None:\n run_input['dependsOn'] = []\n if isinstance(kwargs['depends_on'], list):\n for item in kwargs['depends_on']:\n if isinstance(item, DXJob) or isinstance(item, DXDataObject):\n if item.get_id() is None:\n raise DXError(\n 'A dxpy handler given in depends_on does not have an ID set'\n )\n run_input['dependsOn'].append(item.get_id())\n elif isinstance(item, basestring):\n run_input['dependsOn'].append(item)\n else:\n raise DXError(\n 'Expected elements of depends_on to only be either instances of DXJob or DXDataObject, or strings'\n )\n else:\n raise DXError('Expected depends_on field to be a list')\n if kwargs.get('delay_workspace_destruction') is not None:\n run_input['delayWorkspaceDestruction'] = kwargs[\n 'delay_workspace_destruction']\n if kwargs.get('allow_ssh') is not None:\n run_input['allowSSH'] = kwargs['allow_ssh']\n if kwargs.get('debug') is not None:\n run_input['debug'] = kwargs['debug']\n if kwargs.get('priority') is not None:\n run_input['priority'] = kwargs['priority']\n if kwargs.get('ignore_reuse') is not None:\n run_input['ignoreReuse'] = kwargs['ignore_reuse']\n if dxpy.JOB_ID is None:\n run_input['project'] = project\n if kwargs.get('extra_args') is not None:\n merge(run_input, kwargs['extra_args'])\n return run_input\n", "role": "user" }, { "content": "get_run_input_common_fields", "role": "assistant" } ]
def x(executable_input, **kwargs): for unsupported_arg in ['stage_instance_types', 'stage_folders', 'rerun_stages', 'ignore_reuse_stages']: if kwargs.get(unsupported_arg): raise DXError(unsupported_arg + ' is not supported for applets (only workflows)') return DXExecutable._get_run_input_common_fields(executable_input, **kwargs )
get_run_input_fields_for_applet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(executable_input, **kwargs):\n for unsupported_arg in ['stage_instance_types', 'stage_folders',\n 'rerun_stages', 'ignore_reuse_stages']:\n if kwargs.get(unsupported_arg):\n raise DXError(unsupported_arg +\n ' is not supported for applets (only workflows)')\n return DXExecutable._get_run_input_common_fields(executable_input, **kwargs\n )\n", "role": "user" }, { "content": "get_run_input_fields_for_applet", "role": "assistant" } ]
def x(self, executable_input, project=None, folder=None, name=None, tags= None, properties=None, details=None, instance_type=None, stage_instance_types=None, stage_folders=None, rerun_stages=None, cluster_spec=None, depends_on=None, allow_ssh=None, debug=None, delay_workspace_destruction=None, priority=None, ignore_reuse=None, ignore_reuse_stages=None, extra_args=None, **kwargs): run_input = self._get_run_input(executable_input, project=project, folder=folder, name=name, tags=tags, properties=properties, details =details, instance_type=instance_type, stage_instance_types= stage_instance_types, stage_folders=stage_folders, rerun_stages= rerun_stages, cluster_spec=cluster_spec, depends_on=depends_on, allow_ssh=allow_ssh, ignore_reuse=ignore_reuse, ignore_reuse_stages =ignore_reuse_stages, debug=debug, delay_workspace_destruction= delay_workspace_destruction, priority=priority, extra_args=extra_args) return self._run_impl(run_input, **kwargs)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, executable_input, project=None, folder=None, name=None, tags=\n None, properties=None, details=None, instance_type=None,\n stage_instance_types=None, stage_folders=None, rerun_stages=None,\n cluster_spec=None, depends_on=None, allow_ssh=None, debug=None,\n delay_workspace_destruction=None, priority=None, ignore_reuse=None,\n ignore_reuse_stages=None, extra_args=None, **kwargs):\n run_input = self._get_run_input(executable_input, project=project,\n folder=folder, name=name, tags=tags, properties=properties, details\n =details, instance_type=instance_type, stage_instance_types=\n stage_instance_types, stage_folders=stage_folders, rerun_stages=\n rerun_stages, cluster_spec=cluster_spec, depends_on=depends_on,\n allow_ssh=allow_ssh, ignore_reuse=ignore_reuse, ignore_reuse_stages\n =ignore_reuse_stages, debug=debug, delay_workspace_destruction=\n delay_workspace_destruction, priority=priority, extra_args=extra_args)\n return self._run_impl(run_input, **kwargs)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, dx_hash, **kwargs): for field in ('runSpec', 'dxapi'): if field not in kwargs: raise DXError('%s: Keyword argument %s is required' % (self. __class__.__name__, field)) dx_hash[field] = kwargs[field] del kwargs[field] for field in ('inputSpec', 'outputSpec', 'access', 'title', 'summary', 'description'): if field in kwargs: dx_hash[field] = kwargs[field] del kwargs[field] resp = dxpy.api.applet_new(dx_hash, **kwargs) self.set_ids(resp['id'], dx_hash['project'])
new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dx_hash, **kwargs):\n for field in ('runSpec', 'dxapi'):\n if field not in kwargs:\n raise DXError('%s: Keyword argument %s is required' % (self.\n __class__.__name__, field))\n dx_hash[field] = kwargs[field]\n del kwargs[field]\n for field in ('inputSpec', 'outputSpec', 'access', 'title', 'summary',\n 'description'):\n if field in kwargs:\n dx_hash[field] = kwargs[field]\n del kwargs[field]\n resp = dxpy.api.applet_new(dx_hash, **kwargs)\n self.set_ids(resp['id'], dx_hash['project'])\n", "role": "user" }, { "content": "new", "role": "assistant" } ]
def x(self, applet_input, *args, **kwargs): return super(DXApplet, self).run(applet_input, *args, **kwargs)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, applet_input, *args, **kwargs):\n return super(DXApplet, self).run(applet_input, *args, **kwargs)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(args): args = vars(args) if args.get('apiserver_host') is not None: config['DX_APISERVER_HOST'] = args['apiserver_host'] if args.get('apiserver_port') is not None: config['DX_APISERVER_PORT'] = args['apiserver_port'] if args.get('apiserver_protocol') is not None: config['DX_APISERVER_PROTOCOL'] = args['apiserver_protocol'] if args.get('project_context_id') is not None: config['DX_PROJECT_CONTEXT_ID'] = args['project_context_id'] if args.get('workspace_id') is not None: config['DX_WORKSPACE_ID'] = args['workspace_id'] if args.get('cli_wd') is not None: config['DX_CLI_WD'] = args['cli_wd'] if args.get('security_context') is not None: config['DX_SECURITY_CONTEXT'] = args['security_context'] if args.get('auth_token') is not None: config['DX_SECURITY_CONTEXT'] = json.dumps({'auth_token': args[ 'auth_token'], 'auth_token_type': 'Bearer'})
set_env_from_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n args = vars(args)\n if args.get('apiserver_host') is not None:\n config['DX_APISERVER_HOST'] = args['apiserver_host']\n if args.get('apiserver_port') is not None:\n config['DX_APISERVER_PORT'] = args['apiserver_port']\n if args.get('apiserver_protocol') is not None:\n config['DX_APISERVER_PROTOCOL'] = args['apiserver_protocol']\n if args.get('project_context_id') is not None:\n config['DX_PROJECT_CONTEXT_ID'] = args['project_context_id']\n if args.get('workspace_id') is not None:\n config['DX_WORKSPACE_ID'] = args['workspace_id']\n if args.get('cli_wd') is not None:\n config['DX_CLI_WD'] = args['cli_wd']\n if args.get('security_context') is not None:\n config['DX_SECURITY_CONTEXT'] = args['security_context']\n if args.get('auth_token') is not None:\n config['DX_SECURITY_CONTEXT'] = json.dumps({'auth_token': args[\n 'auth_token'], 'auth_token_type': 'Bearer'})\n", "role": "user" }, { "content": "set_env_from_args", "role": "assistant" } ]
def x(asset_conf): if 'name' not in asset_conf: raise AssetBuilderException( 'The asset configuration does not contain the required field "name".' ) if 'release' not in asset_conf: asset_conf['release'] = '12.04' elif asset_conf['release'] not in ['16.04', '14.04', '12.04']: raise AssetBuilderException( 'The "release" field value should be either "12.04" (DEPRECATED), "14.04", "16.04".' ) if 'version' not in asset_conf: raise AssetBuilderException( 'The asset configuration does not contain the required field "version". ' ) if 'title' not in asset_conf: raise AssetBuilderException( 'The asset configuration does not contain the required field "title". ' ) if 'description' not in asset_conf: raise AssetBuilderException( 'The asset configuration does not contain the required field "description".' ) if 'distribution' in asset_conf: if asset_conf['distribution'] != 'Ubuntu': raise AssetBuilderException( 'The distribution may only take the value "Ubuntu".') else: asset_conf['distribution'] = 'Ubuntu'
validate_conf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(asset_conf):\n if 'name' not in asset_conf:\n raise AssetBuilderException(\n 'The asset configuration does not contain the required field \"name\".'\n )\n if 'release' not in asset_conf:\n asset_conf['release'] = '12.04'\n elif asset_conf['release'] not in ['16.04', '14.04', '12.04']:\n raise AssetBuilderException(\n 'The \"release\" field value should be either \"12.04\" (DEPRECATED), \"14.04\", \"16.04\".'\n )\n if 'version' not in asset_conf:\n raise AssetBuilderException(\n 'The asset configuration does not contain the required field \"version\". '\n )\n if 'title' not in asset_conf:\n raise AssetBuilderException(\n 'The asset configuration does not contain the required field \"title\". '\n )\n if 'description' not in asset_conf:\n raise AssetBuilderException(\n 'The asset configuration does not contain the required field \"description\".'\n )\n if 'distribution' in asset_conf:\n if asset_conf['distribution'] != 'Ubuntu':\n raise AssetBuilderException(\n 'The distribution may only take the value \"Ubuntu\".')\n else:\n asset_conf['distribution'] = 'Ubuntu'\n", "role": "user" }, { "content": "validate_conf", "role": "assistant" } ]
def x(asset_name, src_dir, dest_project, dest_folder, json_out): if os.path.isdir(os.path.join(src_dir, 'resources')): temp_dir = tempfile.mkdtemp() try: resource_file = os.path.join(temp_dir, asset_name + '_resources.tar.gz') cmd = ['tar', '-czf', resource_file, '-C', os.path.join(src_dir, 'resources'), '.'] subprocess.check_call(cmd) file_id = dx_upload(resource_file, dest_project, dest_folder, json_out) return file_id finally: shutil.rmtree(temp_dir)
get_asset_tarball
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(asset_name, src_dir, dest_project, dest_folder, json_out):\n if os.path.isdir(os.path.join(src_dir, 'resources')):\n temp_dir = tempfile.mkdtemp()\n try:\n resource_file = os.path.join(temp_dir, asset_name +\n '_resources.tar.gz')\n cmd = ['tar', '-czf', resource_file, '-C', os.path.join(src_dir,\n 'resources'), '.']\n subprocess.check_call(cmd)\n file_id = dx_upload(resource_file, dest_project, dest_folder,\n json_out)\n return file_id\n finally:\n shutil.rmtree(temp_dir)\n", "role": "user" }, { "content": "get_asset_tarball", "role": "assistant" } ]
def x(choices, default=None, str_choices=None, prompt=None, allow_mult= False, more_choices=False): for i in range(len(choices)): prefix = str(i) + ') ' lines = choices[i].split('\n') joiner = '\n' + ' ' * len(prefix) print(prefix + joiner.join(lines)) if more_choices: print('m) More options not shown...') print('') if prompt is None: prompt = 'Pick a numbered choice' if allow_mult: prompt += ' or "*" for all' elif more_choices: prompt += ' or "m" for more options' if default is not None: prompt += ' [' + str(default) + ']' prompt += ': ' while True: try: value = input(prompt) except KeyboardInterrupt: print('') raise except EOFError: print('') raise if default is not None and value == '': return default if allow_mult and value == '*': return value if more_choices and value == 'm': return value try: choice = str_choices.index(value) return choice except: pass try: choice = int(value) if choice not in range(len(choices)): raise IndexError() return choice except Exception: print('Not a valid selection')
pick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(choices, default=None, str_choices=None, prompt=None, allow_mult=\n False, more_choices=False):\n for i in range(len(choices)):\n prefix = str(i) + ') '\n lines = choices[i].split('\\n')\n joiner = '\\n' + ' ' * len(prefix)\n print(prefix + joiner.join(lines))\n if more_choices:\n print('m) More options not shown...')\n print('')\n if prompt is None:\n prompt = 'Pick a numbered choice'\n if allow_mult:\n prompt += ' or \"*\" for all'\n elif more_choices:\n prompt += ' or \"m\" for more options'\n if default is not None:\n prompt += ' [' + str(default) + ']'\n prompt += ': '\n while True:\n try:\n value = input(prompt)\n except KeyboardInterrupt:\n print('')\n raise\n except EOFError:\n print('')\n raise\n if default is not None and value == '':\n return default\n if allow_mult and value == '*':\n return value\n if more_choices and value == 'm':\n return value\n try:\n choice = str_choices.index(value)\n return choice\n except:\n pass\n try:\n choice = int(value)\n if choice not in range(len(choices)):\n raise IndexError()\n return choice\n except Exception:\n print('Not a valid selection')\n", "role": "user" }, { "content": "pick", "role": "assistant" } ]
def x(obj_id, proj_id): if obj_id is None: raise ValueError('Expected obj_id to be a string') if proj_id is None: raise ValueError('Expected proj_id to be a string') if not is_container_id(proj_id): raise ValueError('Expected %r to be a container ID' % (proj_id,)) return try_call(dxpy.DXHTTPRequest, '/' + obj_id + '/describe', { 'project': proj_id})['project'] == proj_id
object_exists_in_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj_id, proj_id):\n if obj_id is None:\n raise ValueError('Expected obj_id to be a string')\n if proj_id is None:\n raise ValueError('Expected proj_id to be a string')\n if not is_container_id(proj_id):\n raise ValueError('Expected %r to be a container ID' % (proj_id,))\n return try_call(dxpy.DXHTTPRequest, '/' + obj_id + '/describe', {\n 'project': proj_id})['project'] == proj_id\n", "role": "user" }, { "content": "object_exists_in_project", "role": "assistant" } ]
def x(char, string): pos = len(string) while pos > 0: pos = string[:pos].rfind(char) if pos == -1: return -1 num_backslashes = 0 test_index = pos - 1 while test_index >= 0 and string[test_index] == '\\': num_backslashes += 1 test_index -= 1 if num_backslashes % 2 == 0: return pos return -1
get_last_pos_of_char
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(char, string):\n pos = len(string)\n while pos > 0:\n pos = string[:pos].rfind(char)\n if pos == -1:\n return -1\n num_backslashes = 0\n test_index = pos - 1\n while test_index >= 0 and string[test_index] == '\\\\':\n num_backslashes += 1\n test_index -= 1\n if num_backslashes % 2 == 0:\n return pos\n return -1\n", "role": "user" }, { "content": "get_last_pos_of_char", "role": "assistant" } ]
def x(char, string): first_pos = -1 pos = len(string) while pos > 0: pos = string[:pos].rfind(char) if pos == -1: return first_pos num_backslashes = 0 test_index = pos - 1 while test_index >= 0 and string[test_index] == '\\': num_backslashes += 1 test_index -= 1 if num_backslashes % 2 == 0: first_pos = pos return first_pos
get_first_pos_of_char
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(char, string):\n first_pos = -1\n pos = len(string)\n while pos > 0:\n pos = string[:pos].rfind(char)\n if pos == -1:\n return first_pos\n num_backslashes = 0\n test_index = pos - 1\n while test_index >= 0 and string[test_index] == '\\\\':\n num_backslashes += 1\n test_index -= 1\n if num_backslashes % 2 == 0:\n first_pos = pos\n return first_pos\n", "role": "user" }, { "content": "get_first_pos_of_char", "role": "assistant" } ]
def x(char, string, include_empty_strings=False): words = [] pos = len(string) lastpos = pos while pos >= 0: pos = get_last_pos_of_char(char, string[:lastpos]) if pos >= 0: if pos + 1 != lastpos or include_empty_strings: words.append(string[pos + 1:lastpos]) lastpos = pos if lastpos != 0 or include_empty_strings: words.append(string[:lastpos]) words.reverse() return words
split_unescaped
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(char, string, include_empty_strings=False):\n words = []\n pos = len(string)\n lastpos = pos\n while pos >= 0:\n pos = get_last_pos_of_char(char, string[:lastpos])\n if pos >= 0:\n if pos + 1 != lastpos or include_empty_strings:\n words.append(string[pos + 1:lastpos])\n lastpos = pos\n if lastpos != 0 or include_empty_strings:\n words.append(string[:lastpos])\n words.reverse()\n return words\n", "role": "user" }, { "content": "split_unescaped", "role": "assistant" } ]
def x(path, expected=None): folders = split_unescaped('/', path) if len(folders) == 0: return '/', None if expected == 'folder' or folders[-1] == '.' or folders[-1 ] == '..' or get_last_pos_of_char('/', path) == len(path) - 1: entity_name = None else: entity_name = unescape_name_str(folders.pop()) sanitized_folders = [] for folder in folders: if folder == '.': pass elif folder == '..': if len(sanitized_folders) > 0: sanitized_folders.pop() else: sanitized_folders.append(unescape_folder_str(folder)) return '/' + '/'.join(sanitized_folders), entity_name
clean_folder_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, expected=None):\n folders = split_unescaped('/', path)\n if len(folders) == 0:\n return '/', None\n if expected == 'folder' or folders[-1] == '.' or folders[-1\n ] == '..' or get_last_pos_of_char('/', path) == len(path) - 1:\n entity_name = None\n else:\n entity_name = unescape_name_str(folders.pop())\n sanitized_folders = []\n for folder in folders:\n if folder == '.':\n pass\n elif folder == '..':\n if len(sanitized_folders) > 0:\n sanitized_folders.pop()\n else:\n sanitized_folders.append(unescape_folder_str(folder))\n return '/' + '/'.join(sanitized_folders), entity_name\n", "role": "user" }, { "content": "clean_folder_path", "role": "assistant" } ]
def x(raw_string, is_error=False, multi=False): string = unescape_name_str(raw_string) if is_container_id(string): return [string] if multi else string if string in cached_project_names: return [cached_project_names[string] ] if multi else cached_project_names[string] try: results = list(dxpy.find_projects(name=string, describe=True, level ='VIEW')) except Exception as details: raise ResolutionError(str(details)) if len(results) == 1: cached_project_names[string] = results[0]['id'] return [results[0]['id']] if multi else results[0]['id'] elif len(results) == 0: if is_error: raise ResolutionError('Could not find a project named "' + string + '"') return [] if multi else None elif not multi: if INTERACTIVE_CLI: print('Found multiple projects with name "' + string + '"') choice = pick(['{id} ({level})'.format(id=result['id'], level= result['level']) for result in results]) return results[choice]['id'] else: raise ResolutionError('Found multiple projects with name "' + string + '"; please use a project ID to specify the desired project') else: return [result['id'] for result in results]
resolve_container_id_or_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(raw_string, is_error=False, multi=False):\n string = unescape_name_str(raw_string)\n if is_container_id(string):\n return [string] if multi else string\n if string in cached_project_names:\n return [cached_project_names[string]\n ] if multi else cached_project_names[string]\n try:\n results = list(dxpy.find_projects(name=string, describe=True, level\n ='VIEW'))\n except Exception as details:\n raise ResolutionError(str(details))\n if len(results) == 1:\n cached_project_names[string] = results[0]['id']\n return [results[0]['id']] if multi else results[0]['id']\n elif len(results) == 0:\n if is_error:\n raise ResolutionError('Could not find a project named \"' +\n string + '\"')\n return [] if multi else None\n elif not multi:\n if INTERACTIVE_CLI:\n print('Found multiple projects with name \"' + string + '\"')\n choice = pick(['{id} ({level})'.format(id=result['id'], level=\n result['level']) for result in results])\n return results[choice]['id']\n else:\n raise ResolutionError('Found multiple projects with name \"' +\n string +\n '\"; please use a project ID to specify the desired project')\n else:\n return [result['id'] for result in results]\n", "role": "user" }, { "content": "resolve_container_id_or_name", "role": "assistant" } ]
def x(path, expected=None, multi_projects=False, allow_empty_string=True): if '_DX_FUSE' in os.environ: from xattr import xattr path = xattr(path)['project'] + ':' + xattr(path)['id'] if path == '' and not allow_empty_string: raise ResolutionError( 'Cannot parse ""; expected the path to be a non-empty string') path = _maybe_convert_stringified_dxlink(path) if path == ':': if dxpy.WORKSPACE_ID is None: raise ResolutionError( 'Cannot resolve ":": expected a project name or ID to the left of the colon, or for a current project to be set' ) return [dxpy.WORKSPACE_ID ] if multi_projects else dxpy.WORKSPACE_ID, '/', None if path == '': if dxpy.WORKSPACE_ID is None: raise ResolutionError( 'Expected a project name or ID to the left of a colon, or for a current project to be set' ) return [dxpy.WORKSPACE_ID ] if multi_projects else dxpy.WORKSPACE_ID, dxpy.config.get( 'DX_CLI_WD', '/'), None if is_container_id(path): return [path] if multi_projects else path, '/', None elif is_hashid(path): return [dxpy.WORKSPACE_ID ] if multi_projects else dxpy.WORKSPACE_ID, None, path project = 0 folderpath = None entity_name = None wd = dxpy.config.get('DX_CLI_WD', u'/') last_colon = get_last_pos_of_char(':', path) if last_colon >= 0: last_last_colon = get_last_pos_of_char(':', path[:last_colon]) if last_last_colon >= 0: raise ResolutionError('Cannot parse "' + path + '" as a path; at most one unescaped colon can be present') substrings = split_unescaped(':', path) if len(substrings) == 2: if is_job_id(substrings[0]): return [substrings[0]] if multi_projects else substrings[0 ], None, substrings[1] if multi_projects: project_ids = resolve_container_id_or_name(substrings[0], is_error=True, multi=True) else: project = resolve_container_id_or_name(substrings[0], is_error=True ) wd = '/' elif get_last_pos_of_char(':', path) >= 0: wd = '/' if path.startswith(':'): if dxpy.WORKSPACE_ID is None: raise ResolutionError( 'Cannot resolve "%s": expected a project name or ID to the left of the colon, or for a current project to be set' % (path,)) project = dxpy.WORKSPACE_ID else: project = resolve_container_id_or_name(substrings[0], is_error=True ) folderpath = '/' else: project = dxpy.WORKSPACE_ID if project is None: raise ResolutionError( 'Cannot resolve "%s": expected the path to be qualified with a project name or ID, and a colon; or for a current project to be set' % (path,)) if folderpath is None: folderpath = substrings[-1] folderpath, entity_name = clean_folder_path(('' if folderpath. startswith('/') else wd + '/') + folderpath, expected) if multi_projects: return project_ids if project == 0 else [project ], folderpath, entity_name else: return project, folderpath, entity_name
resolve_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, expected=None, multi_projects=False, allow_empty_string=True):\n if '_DX_FUSE' in os.environ:\n from xattr import xattr\n path = xattr(path)['project'] + ':' + xattr(path)['id']\n if path == '' and not allow_empty_string:\n raise ResolutionError(\n 'Cannot parse \"\"; expected the path to be a non-empty string')\n path = _maybe_convert_stringified_dxlink(path)\n if path == ':':\n if dxpy.WORKSPACE_ID is None:\n raise ResolutionError(\n 'Cannot resolve \":\": expected a project name or ID to the left of the colon, or for a current project to be set'\n )\n return [dxpy.WORKSPACE_ID\n ] if multi_projects else dxpy.WORKSPACE_ID, '/', None\n if path == '':\n if dxpy.WORKSPACE_ID is None:\n raise ResolutionError(\n 'Expected a project name or ID to the left of a colon, or for a current project to be set'\n )\n return [dxpy.WORKSPACE_ID\n ] if multi_projects else dxpy.WORKSPACE_ID, dxpy.config.get(\n 'DX_CLI_WD', '/'), None\n if is_container_id(path):\n return [path] if multi_projects else path, '/', None\n elif is_hashid(path):\n return [dxpy.WORKSPACE_ID\n ] if multi_projects else dxpy.WORKSPACE_ID, None, path\n project = 0\n folderpath = None\n entity_name = None\n wd = dxpy.config.get('DX_CLI_WD', u'/')\n last_colon = get_last_pos_of_char(':', path)\n if last_colon >= 0:\n last_last_colon = get_last_pos_of_char(':', path[:last_colon])\n if last_last_colon >= 0:\n raise ResolutionError('Cannot parse \"' + path +\n '\" as a path; at most one unescaped colon can be present')\n substrings = split_unescaped(':', path)\n if len(substrings) == 2:\n if is_job_id(substrings[0]):\n return [substrings[0]] if multi_projects else substrings[0\n ], None, substrings[1]\n if multi_projects:\n project_ids = resolve_container_id_or_name(substrings[0],\n is_error=True, multi=True)\n else:\n project = resolve_container_id_or_name(substrings[0], is_error=True\n )\n wd = '/'\n elif get_last_pos_of_char(':', path) >= 0:\n wd = '/'\n if path.startswith(':'):\n if dxpy.WORKSPACE_ID is None:\n raise ResolutionError(\n 'Cannot resolve \"%s\": expected a project name or ID to the left of the colon, or for a current project to be set'\n % (path,))\n project = dxpy.WORKSPACE_ID\n else:\n project = resolve_container_id_or_name(substrings[0], is_error=True\n )\n folderpath = '/'\n else:\n project = dxpy.WORKSPACE_ID\n if project is None:\n raise ResolutionError(\n 'Cannot resolve \"%s\": expected the path to be qualified with a project name or ID, and a colon; or for a current project to be set'\n % (path,))\n if folderpath is None:\n folderpath = substrings[-1]\n folderpath, entity_name = clean_folder_path(('' if folderpath.\n startswith('/') else wd + '/') + folderpath, expected)\n if multi_projects:\n return project_ids if project == 0 else [project\n ], folderpath, entity_name\n else:\n return project, folderpath, entity_name\n", "role": "user" }, { "content": "resolve_path", "role": "assistant" } ]
def x(path, project, folderpath, entity_name, expected_classes=None, describe=True, enclose_in_list=False): if entity_name is None: return False, project, folderpath, None elif is_hashid(entity_name): found_valid_class = True if expected_classes is not None: found_valid_class = False for klass in expected_classes: if entity_name.startswith(klass): found_valid_class = True if not found_valid_class: return False, None, None, None if describe is True: describe = {} if 'project' not in describe: if project != dxpy.WORKSPACE_ID: describe['project'] = project elif dxpy.WORKSPACE_ID is not None: describe['project'] = dxpy.WORKSPACE_ID try: desc = dxpy.DXHTTPRequest('/' + entity_name + '/describe', describe ) desc = dxpy.append_underlying_workflow_describe(desc) except Exception as details: if 'project' in describe: del describe['project'] try: desc = dxpy.DXHTTPRequest('/' + entity_name + '/describe', describe) except Exception as details2: raise ResolutionError(str(details2)) else: raise ResolutionError(str(details)) result = {'id': entity_name, 'describe': desc} if enclose_in_list: return False, project, folderpath, [result] else: return False, project, folderpath, result else: return True, project, folderpath, entity_name
check_resolution_needed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, project, folderpath, entity_name, expected_classes=None,\n describe=True, enclose_in_list=False):\n if entity_name is None:\n return False, project, folderpath, None\n elif is_hashid(entity_name):\n found_valid_class = True\n if expected_classes is not None:\n found_valid_class = False\n for klass in expected_classes:\n if entity_name.startswith(klass):\n found_valid_class = True\n if not found_valid_class:\n return False, None, None, None\n if describe is True:\n describe = {}\n if 'project' not in describe:\n if project != dxpy.WORKSPACE_ID:\n describe['project'] = project\n elif dxpy.WORKSPACE_ID is not None:\n describe['project'] = dxpy.WORKSPACE_ID\n try:\n desc = dxpy.DXHTTPRequest('/' + entity_name + '/describe', describe\n )\n desc = dxpy.append_underlying_workflow_describe(desc)\n except Exception as details:\n if 'project' in describe:\n del describe['project']\n try:\n desc = dxpy.DXHTTPRequest('/' + entity_name +\n '/describe', describe)\n except Exception as details2:\n raise ResolutionError(str(details2))\n else:\n raise ResolutionError(str(details))\n result = {'id': entity_name, 'describe': desc}\n if enclose_in_list:\n return False, project, folderpath, [result]\n else:\n return False, project, folderpath, result\n else:\n return True, project, folderpath, entity_name\n", "role": "user" }, { "content": "check_resolution_needed", "role": "assistant" } ]
def x(project, parent_folder, folder_name): if '/' in folder_name: raise ResolutionError('Object of name ' + str(folder_name) + ' could not be resolved in folder ' + str(parent_folder) + ' of project ID ' + str(project)) possible_folder, _skip = clean_folder_path(parent_folder + '/' + folder_name, 'folder') if not check_folder_exists(project, parent_folder, folder_name): raise ResolutionError('Unable to resolve "' + folder_name + '" to a data object or folder name in \'' + parent_folder + "'") return possible_folder
resolve_folder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project, parent_folder, folder_name):\n if '/' in folder_name:\n raise ResolutionError('Object of name ' + str(folder_name) +\n ' could not be resolved in folder ' + str(parent_folder) +\n ' of project ID ' + str(project))\n possible_folder, _skip = clean_folder_path(parent_folder + '/' +\n folder_name, 'folder')\n if not check_folder_exists(project, parent_folder, folder_name):\n raise ResolutionError('Unable to resolve \"' + folder_name +\n '\" to a data object or folder name in \\'' + parent_folder + \"'\")\n return possible_folder\n", "role": "user" }, { "content": "resolve_folder", "role": "assistant" } ]
def x(path, entity_name, results, allow_mult=False, all_mult=False, ask_to_resolve=True): if len(results) == 0: raise ValueError("'results' must be nonempty.") if not ask_to_resolve: return results if len(results) > 1: if allow_mult and (all_mult or is_glob_pattern(entity_name)): return results if INTERACTIVE_CLI: print('The given path "' + path + '" resolves to the following data objects:') if any([('describe' not in result) for result in results]): project, folderpath, entity_name = resolve_path(path, expected='entity') results = _resolve_global_entity(project, folderpath, entity_name) choice = pick([get_ls_l_desc(result['describe']) for result in results], allow_mult=allow_mult) if allow_mult and choice == '*': return results else: return [results[choice]] if allow_mult else results[choice] else: raise ResolutionError('The given path "' + path + '" resolves to ' + str(len(results)) + ' data objects') else: return [results[0]] if allow_mult else results[0]
validate_resolution_output_length
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, entity_name, results, allow_mult=False, all_mult=False,\n ask_to_resolve=True):\n if len(results) == 0:\n raise ValueError(\"'results' must be nonempty.\")\n if not ask_to_resolve:\n return results\n if len(results) > 1:\n if allow_mult and (all_mult or is_glob_pattern(entity_name)):\n return results\n if INTERACTIVE_CLI:\n print('The given path \"' + path +\n '\" resolves to the following data objects:')\n if any([('describe' not in result) for result in results]):\n project, folderpath, entity_name = resolve_path(path,\n expected='entity')\n results = _resolve_global_entity(project, folderpath,\n entity_name)\n choice = pick([get_ls_l_desc(result['describe']) for result in\n results], allow_mult=allow_mult)\n if allow_mult and choice == '*':\n return results\n else:\n return [results[choice]] if allow_mult else results[choice]\n else:\n raise ResolutionError('The given path \"' + path +\n '\" resolves to ' + str(len(results)) + ' data objects')\n else:\n return [results[0]] if allow_mult else results[0]\n", "role": "user" }, { "content": "validate_resolution_output_length", "role": "assistant" } ]
def x(project_or_job_id, folderpath, entity_name, describe=True, visibility ='either'): if is_job_id(project_or_job_id): if describe is True: describe = {} return resolve_job_ref(project_or_job_id, entity_name, describe= describe) else: try: return list(dxpy.find_data_objects(project=project_or_job_id, folder=folderpath, name=entity_name, name_mode='glob', recurse=False, describe=describe, visibility=visibility)) except Exception as details: raise ResolutionError(str(details))
resolve_global_entity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project_or_job_id, folderpath, entity_name, describe=True, visibility\n ='either'):\n if is_job_id(project_or_job_id):\n if describe is True:\n describe = {}\n return resolve_job_ref(project_or_job_id, entity_name, describe=\n describe)\n else:\n try:\n return list(dxpy.find_data_objects(project=project_or_job_id,\n folder=folderpath, name=entity_name, name_mode='glob',\n recurse=False, describe=describe, visibility=visibility))\n except Exception as details:\n raise ResolutionError(str(details))\n", "role": "user" }, { "content": "resolve_global_entity", "role": "assistant" } ]
def x(path, project, folderpath, entity_name, result): try: if len(result) == 0: folder = _resolve_folder(project, folderpath, entity_name) return {'project': project, 'folder': folder, 'name': None} else: validated_results = _validate_resolution_output_length(path, entity_name, result) return {'project': None if is_job_id(project) else project, 'folder': None, 'name': validated_results} except ResolutionError: return {'project': None, 'folder': None, 'name': None}
format_resolution_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, project, folderpath, entity_name, result):\n try:\n if len(result) == 0:\n folder = _resolve_folder(project, folderpath, entity_name)\n return {'project': project, 'folder': folder, 'name': None}\n else:\n validated_results = _validate_resolution_output_length(path,\n entity_name, result)\n return {'project': None if is_job_id(project) else project,\n 'folder': None, 'name': validated_results}\n except ResolutionError:\n return {'project': None, 'folder': None, 'name': None}\n", "role": "user" }, { "content": "format_resolution_output", "role": "assistant" } ]
def x(paths): done_objects = {} to_resolve_in_batch_paths = [] to_resolve_in_batch_inputs = [] for path in paths: project, folderpath, entity_name = resolve_path(path, expected='entity' ) try: must_resolve, project, folderpath, entity_name = ( _check_resolution_needed(path, project, folderpath, entity_name)) except: must_resolve = False if must_resolve: if is_glob_pattern(entity_name): try: find_results = _resolve_global_entity(project, folderpath, entity_name) done_objects[path] = _format_resolution_output(path, project, folderpath, entity_name, find_results) except ResolutionError: done_objects[path] = {'project': None, 'folder': None, 'name': None} else: to_resolve_in_batch_paths.append(path) to_resolve_in_batch_inputs.append({'project': project, 'folder': folderpath, 'name': entity_name}) else: done_objects[path] = {'project': project, 'folder': folderpath, 'name': entity_name} resolution_results = dxpy.resolve_data_objects(to_resolve_in_batch_inputs) for path, inputs, result in zip(to_resolve_in_batch_paths, to_resolve_in_batch_inputs, resolution_results): done_objects[path] = _format_resolution_output(path, inputs[ 'project'], inputs['folder'], inputs['name'], result) return done_objects
resolve_multiple_existing_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths):\n done_objects = {}\n to_resolve_in_batch_paths = []\n to_resolve_in_batch_inputs = []\n for path in paths:\n project, folderpath, entity_name = resolve_path(path, expected='entity'\n )\n try:\n must_resolve, project, folderpath, entity_name = (\n _check_resolution_needed(path, project, folderpath,\n entity_name))\n except:\n must_resolve = False\n if must_resolve:\n if is_glob_pattern(entity_name):\n try:\n find_results = _resolve_global_entity(project,\n folderpath, entity_name)\n done_objects[path] = _format_resolution_output(path,\n project, folderpath, entity_name, find_results)\n except ResolutionError:\n done_objects[path] = {'project': None, 'folder': None,\n 'name': None}\n else:\n to_resolve_in_batch_paths.append(path)\n to_resolve_in_batch_inputs.append({'project': project,\n 'folder': folderpath, 'name': entity_name})\n else:\n done_objects[path] = {'project': project, 'folder': folderpath,\n 'name': entity_name}\n resolution_results = dxpy.resolve_data_objects(to_resolve_in_batch_inputs)\n for path, inputs, result in zip(to_resolve_in_batch_paths,\n to_resolve_in_batch_inputs, resolution_results):\n done_objects[path] = _format_resolution_output(path, inputs[\n 'project'], inputs['folder'], inputs['name'], result)\n return done_objects\n", "role": "user" }, { "content": "resolve_multiple_existing_paths", "role": "assistant" } ]
def x(path, expected=None, ask_to_resolve=True, expected_classes=None, allow_mult=False, describe=True, all_mult=False, allow_empty_string= True, visibility='either'): project, folderpath, entity_name = resolve_path(path, expected=expected, allow_empty_string=allow_empty_string) must_resolve, project, folderpath, entity_name = _check_resolution_needed( path, project, folderpath, entity_name, expected_classes= expected_classes, describe=describe, enclose_in_list=not ask_to_resolve or allow_mult) if must_resolve: results = _resolve_global_entity(project, folderpath, entity_name, describe=describe, visibility=visibility) if len(results) == 0: folder = _resolve_folder(project, folderpath, entity_name) return project, folder, None else: validated_results = _validate_resolution_output_length(path, entity_name, results, allow_mult=allow_mult, all_mult= all_mult, ask_to_resolve=ask_to_resolve) if is_job_id(project): return None, None, validated_results return project, None, validated_results return project, folderpath, entity_name
resolve_existing_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, expected=None, ask_to_resolve=True, expected_classes=None,\n allow_mult=False, describe=True, all_mult=False, allow_empty_string=\n True, visibility='either'):\n project, folderpath, entity_name = resolve_path(path, expected=expected,\n allow_empty_string=allow_empty_string)\n must_resolve, project, folderpath, entity_name = _check_resolution_needed(\n path, project, folderpath, entity_name, expected_classes=\n expected_classes, describe=describe, enclose_in_list=not\n ask_to_resolve or allow_mult)\n if must_resolve:\n results = _resolve_global_entity(project, folderpath, entity_name,\n describe=describe, visibility=visibility)\n if len(results) == 0:\n folder = _resolve_folder(project, folderpath, entity_name)\n return project, folder, None\n else:\n validated_results = _validate_resolution_output_length(path,\n entity_name, results, allow_mult=allow_mult, all_mult=\n all_mult, ask_to_resolve=ask_to_resolve)\n if is_job_id(project):\n return None, None, validated_results\n return project, None, validated_results\n return project, folderpath, entity_name\n", "role": "user" }, { "content": "resolve_existing_path", "role": "assistant" } ]
def x(project, path, folder_name): if folder_name is None or path is None: return False try: folder_list = dxpy.api.container_list_folder(project, {'folder': path, 'only': 'folders'}) except dxpy.exceptions.DXAPIError as e: if e.name == 'ResourceNotFound': raise ResolutionError(str(e.msg)) else: raise e target_folder = path + '/' + folder_name target_folder, _skip = clean_folder_path(target_folder, 'folder') return target_folder in folder_list['folders']
check_folder_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project, path, folder_name):\n if folder_name is None or path is None:\n return False\n try:\n folder_list = dxpy.api.container_list_folder(project, {'folder':\n path, 'only': 'folders'})\n except dxpy.exceptions.DXAPIError as e:\n if e.name == 'ResourceNotFound':\n raise ResolutionError(str(e.msg))\n else:\n raise e\n target_folder = path + '/' + folder_name\n target_folder, _skip = clean_folder_path(target_folder, 'folder')\n return target_folder in folder_list['folders']\n", "role": "user" }, { "content": "check_folder_exists", "role": "assistant" } ]
def x(path): alias = None if not path.startswith('app-'): path = 'app-' + path if '/' in path: alias = path[path.find('/') + 1:] path = path[:path.find('/')] try: return dxpy.api.app_describe(path, alias=alias) except dxpy.DXAPIError: return None
get_app_from_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n alias = None\n if not path.startswith('app-'):\n path = 'app-' + path\n if '/' in path:\n alias = path[path.find('/') + 1:]\n path = path[:path.find('/')]\n try:\n return dxpy.api.app_describe(path, alias=alias)\n except dxpy.DXAPIError:\n return None\n", "role": "user" }, { "content": "get_app_from_path", "role": "assistant" } ]
def x(path): alias = None if not path.startswith('globalworkflow-'): path = 'globalworkflow-' + path if '/' in path: alias = path[path.find('/') + 1:] path = path[:path.find('/')] try: return dxpy.api.global_workflow_describe(path, alias=alias) except dxpy.DXAPIError: return None
get_global_workflow_from_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n alias = None\n if not path.startswith('globalworkflow-'):\n path = 'globalworkflow-' + path\n if '/' in path:\n alias = path[path.find('/') + 1:]\n path = path[:path.find('/')]\n try:\n return dxpy.api.global_workflow_describe(path, alias=alias)\n except dxpy.DXAPIError:\n return None\n", "role": "user" }, { "content": "get_global_workflow_from_path", "role": "assistant" } ]
def x(path, is_version_required=False): if not is_hashid(path) and is_version_required and '/' not in path: raise ResolutionError('Version is required, e.g. "myexec/1.0.0"'. format()) if path.startswith('app-'): return resolve_app(path) elif path.startswith('globalworkflow-'): return resolve_global_workflow(path) desc = get_app_from_path(path) if not desc: desc = get_global_workflow_from_path(path) if desc is None: raise ResolutionError('The given path "' + path + '" could not be resolved to an accessible global executable (app or workflow)' ) return desc
resolve_global_executable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, is_version_required=False):\n if not is_hashid(path) and is_version_required and '/' not in path:\n raise ResolutionError('Version is required, e.g. \"myexec/1.0.0\"'.\n format())\n if path.startswith('app-'):\n return resolve_app(path)\n elif path.startswith('globalworkflow-'):\n return resolve_global_workflow(path)\n desc = get_app_from_path(path)\n if not desc:\n desc = get_global_workflow_from_path(path)\n if desc is None:\n raise ResolutionError('The given path \"' + path +\n '\" could not be resolved to an accessible global executable (app or workflow)'\n )\n return desc\n", "role": "user" }, { "content": "resolve_global_executable", "role": "assistant" } ]
def x(path, all_matching_results=False): project, folderpath, entity_results = resolve_existing_path(path, expected='entity', allow_mult=True, all_mult=all_matching_results) if entity_results is None and not is_container_id(path): if folderpath != None and folderpath != '/': raise ResolutionError('Could not resolve "' + path + """" to an existing data object or to only a project; if you were attempting to refer to a project by name, please append a colon ":" to indicate that it is a project.""" ) return project, folderpath, entity_results
resolve_to_objects_or_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, all_matching_results=False):\n project, folderpath, entity_results = resolve_existing_path(path,\n expected='entity', allow_mult=True, all_mult=all_matching_results)\n if entity_results is None and not is_container_id(path):\n if folderpath != None and folderpath != '/':\n raise ResolutionError('Could not resolve \"' + path +\n \"\"\"\" to an existing data object or to only a project;\n if you were attempting to refer to a project by name,\n please append a colon \":\" to indicate that it is a project.\"\"\"\n )\n return project, folderpath, entity_results\n", "role": "user" }, { "content": "resolve_to_objects_or_project", "role": "assistant" } ]
def x(fn_input, fn_name, name=None, tags=None, properties=None, details= None, instance_type=None, depends_on=None, **kwargs): dxjob = DXJob() dxjob.new(fn_input, fn_name, name=name, tags=tags, properties= properties, details=details, instance_type=instance_type, depends_on=depends_on, **kwargs) return dxjob
new_dxjob
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn_input, fn_name, name=None, tags=None, properties=None, details=\n None, instance_type=None, depends_on=None, **kwargs):\n dxjob = DXJob()\n dxjob.new(fn_input, fn_name, name=name, tags=tags, properties=\n properties, details=details, instance_type=instance_type,\n depends_on=depends_on, **kwargs)\n return dxjob\n", "role": "user" }, { "content": "new_dxjob", "role": "assistant" } ]
def x(self, fn_input, fn_name, name=None, tags=None, properties=None, details=None, instance_type=None, depends_on=None, **kwargs): final_depends_on = [] if depends_on is not None: if isinstance(depends_on, list): for item in depends_on: if isinstance(item, DXJob) or isinstance(item, DXDataObject): if item.get_id() is None: raise DXError( 'A dxpy handler given in depends_on does not have an ID set' ) final_depends_on.append(item.get_id()) elif isinstance(item, basestring): final_depends_on.append(item) else: raise DXError( 'Expected elements of depends_on to only be either instances of DXJob or DXDataObject, or strings' ) else: raise DXError('Expected depends_on field to be a list') if 'DX_JOB_ID' in os.environ: req_input = {} req_input['input'] = fn_input req_input['function'] = fn_name if name is not None: req_input['name'] = name if tags is not None: req_input['tags'] = tags if properties is not None: req_input['properties'] = properties if instance_type is not None: req_input['systemRequirements' ] = SystemRequirementsDict.from_instance_type(instance_type, fn_name).as_dict() if depends_on is not None: req_input['dependsOn'] = final_depends_on if details is not None: req_input['details'] = details resp = dxpy.api.job_new(req_input, **kwargs) self.set_id(resp['id']) else: self.set_id(queue_entry_point(function=fn_name, input_hash=fn_input, depends_on=final_depends_on, name=name))
new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn_input, fn_name, name=None, tags=None, properties=None,\n details=None, instance_type=None, depends_on=None, **kwargs):\n final_depends_on = []\n if depends_on is not None:\n if isinstance(depends_on, list):\n for item in depends_on:\n if isinstance(item, DXJob) or isinstance(item, DXDataObject):\n if item.get_id() is None:\n raise DXError(\n 'A dxpy handler given in depends_on does not have an ID set'\n )\n final_depends_on.append(item.get_id())\n elif isinstance(item, basestring):\n final_depends_on.append(item)\n else:\n raise DXError(\n 'Expected elements of depends_on to only be either instances of DXJob or DXDataObject, or strings'\n )\n else:\n raise DXError('Expected depends_on field to be a list')\n if 'DX_JOB_ID' in os.environ:\n req_input = {}\n req_input['input'] = fn_input\n req_input['function'] = fn_name\n if name is not None:\n req_input['name'] = name\n if tags is not None:\n req_input['tags'] = tags\n if properties is not None:\n req_input['properties'] = properties\n if instance_type is not None:\n req_input['systemRequirements'\n ] = SystemRequirementsDict.from_instance_type(instance_type,\n fn_name).as_dict()\n if depends_on is not None:\n req_input['dependsOn'] = final_depends_on\n if details is not None:\n req_input['details'] = details\n resp = dxpy.api.job_new(req_input, **kwargs)\n self.set_id(resp['id'])\n else:\n self.set_id(queue_entry_point(function=fn_name, input_hash=fn_input,\n depends_on=final_depends_on, name=name))\n", "role": "user" }, { "content": "new", "role": "assistant" } ]
def x(self, dxid): if dxid is not None: if not (isinstance(dxid, basestring) and dxid.startswith('localjob-')): verify_string_dxid(dxid, self._class) self._dxid = dxid
set_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dxid):\n if dxid is not None:\n if not (isinstance(dxid, basestring) and dxid.startswith('localjob-')):\n verify_string_dxid(dxid, self._class)\n self._dxid = dxid\n", "role": "user" }, { "content": "set_id", "role": "assistant" } ]
def x(self, fields=None, io=None, **kwargs): if fields is not None and io is not None: raise DXError( 'DXJob.describe: cannot provide non-None values for both fields and io' ) describe_input = {} if fields is not None: describe_input['fields'] = fields if io is not None: describe_input['io'] = io self._desc = dxpy.api.job_describe(self._dxid, describe_input, **kwargs) return self._desc
describe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fields=None, io=None, **kwargs):\n if fields is not None and io is not None:\n raise DXError(\n 'DXJob.describe: cannot provide non-None values for both fields and io'\n )\n describe_input = {}\n if fields is not None:\n describe_input['fields'] = fields\n if io is not None:\n describe_input['io'] = io\n self._desc = dxpy.api.job_describe(self._dxid, describe_input, **kwargs)\n return self._desc\n", "role": "user" }, { "content": "describe", "role": "assistant" } ]
def x(self, tags, **kwargs): dxpy.api.job_add_tags(self._dxid, {'tags': tags}, **kwargs)
add_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tags, **kwargs):\n dxpy.api.job_add_tags(self._dxid, {'tags': tags}, **kwargs)\n", "role": "user" }, { "content": "add_tags", "role": "assistant" } ]
def x(self, tags, **kwargs): dxpy.api.job_remove_tags(self._dxid, {'tags': tags}, **kwargs)
remove_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tags, **kwargs):\n dxpy.api.job_remove_tags(self._dxid, {'tags': tags}, **kwargs)\n", "role": "user" }, { "content": "remove_tags", "role": "assistant" } ]
def x(self, properties, **kwargs): dxpy.api.job_set_properties(self._dxid, {'properties': properties}, ** kwargs)
set_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, properties, **kwargs):\n dxpy.api.job_set_properties(self._dxid, {'properties': properties}, **\n kwargs)\n", "role": "user" }, { "content": "set_properties", "role": "assistant" } ]
def x(self, interval=2, timeout=3600 * 24 * 7, **kwargs): elapsed = 0 while True: state = self._get_state(**kwargs) if state == 'done': break if state == 'failed': desc = self.describe(**kwargs) err_msg = ( 'Job has failed because of {failureReason}: {failureMessage}' .format(**desc)) if desc.get('failureFrom') != None and desc['failureFrom']['id' ] != desc['id']: err_msg += ' (failure from {id})'.format(id=desc[ 'failureFrom']['id']) raise DXJobFailureError(err_msg) if state == 'terminated': raise DXJobFailureError('Job was terminated.') if elapsed >= timeout or elapsed < 0: raise DXJobFailureError( 'Reached timeout while waiting for the job to finish') time.sleep(interval) elapsed += interval
wait_on_done
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, interval=2, timeout=3600 * 24 * 7, **kwargs):\n elapsed = 0\n while True:\n state = self._get_state(**kwargs)\n if state == 'done':\n break\n if state == 'failed':\n desc = self.describe(**kwargs)\n err_msg = (\n 'Job has failed because of {failureReason}: {failureMessage}'\n .format(**desc))\n if desc.get('failureFrom') != None and desc['failureFrom']['id'\n ] != desc['id']:\n err_msg += ' (failure from {id})'.format(id=desc[\n 'failureFrom']['id'])\n raise DXJobFailureError(err_msg)\n if state == 'terminated':\n raise DXJobFailureError('Job was terminated.')\n if elapsed >= timeout or elapsed < 0:\n raise DXJobFailureError(\n 'Reached timeout while waiting for the job to finish')\n time.sleep(interval)\n elapsed += interval\n", "role": "user" }, { "content": "wait_on_done", "role": "assistant" } ]
def x(self, **kwargs): return self.describe(fields=dict(state=True), **kwargs)['state']
get_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n return self.describe(fields=dict(state=True), **kwargs)['state']\n", "role": "user" }, { "content": "get_state", "role": "assistant" } ]
def x(user_id_or_username): user_id_or_username = user_id_or_username.lower() if not user_id_or_username.startswith('user-'): user_id = 'user-' + user_id_or_username.lower() else: user_id = user_id_or_username return user_id
get_user_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user_id_or_username):\n user_id_or_username = user_id_or_username.lower()\n if not user_id_or_username.startswith('user-'):\n user_id = 'user-' + user_id_or_username.lower()\n else:\n user_id = user_id_or_username\n return user_id\n", "role": "user" }, { "content": "get_user_id", "role": "assistant" } ]
def x(user_id, args): org_invite_args = {'invitee': user_id} org_invite_args['level'] = args.level if 'set_bill_to' in args and args.set_bill_to is True: org_invite_args['allowBillableActivities'] = True else: org_invite_args['allowBillableActivities' ] = args.allow_billable_activities org_invite_args['appAccess'] = args.app_access org_invite_args['projectAccess'] = args.project_access org_invite_args['suppressEmailNotification'] = args.no_email return org_invite_args
get_org_invite_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user_id, args):\n org_invite_args = {'invitee': user_id}\n org_invite_args['level'] = args.level\n if 'set_bill_to' in args and args.set_bill_to is True:\n org_invite_args['allowBillableActivities'] = True\n else:\n org_invite_args['allowBillableActivities'\n ] = args.allow_billable_activities\n org_invite_args['appAccess'] = args.app_access\n org_invite_args['projectAccess'] = args.project_access\n org_invite_args['suppressEmailNotification'] = args.no_email\n return org_invite_args\n", "role": "user" }, { "content": "get_org_invite_args", "role": "assistant" } ]
def x(args): user_new_args = {'username': args.username, 'email': args.email} if args.first is not None: user_new_args['first'] = args.first if args.last is not None: user_new_args['last'] = args.last if args.middle is not None: user_new_args['middle'] = args.middle if args.token_duration is not None: token_duration_ms = normalize_timedelta(args.token_duration) if token_duration_ms > 30 * 24 * 60 * 60 * 1000: raise ValueError('--token-duration must be 30 days or less') else: user_new_args['tokenDuration'] = token_duration_ms if args.occupation is not None: user_new_args['occupation'] = args.occupation if args.set_bill_to is True: user_new_args['billTo'] = args.org return user_new_args
get_user_new_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n user_new_args = {'username': args.username, 'email': args.email}\n if args.first is not None:\n user_new_args['first'] = args.first\n if args.last is not None:\n user_new_args['last'] = args.last\n if args.middle is not None:\n user_new_args['middle'] = args.middle\n if args.token_duration is not None:\n token_duration_ms = normalize_timedelta(args.token_duration)\n if token_duration_ms > 30 * 24 * 60 * 60 * 1000:\n raise ValueError('--token-duration must be 30 days or less')\n else:\n user_new_args['tokenDuration'] = token_duration_ms\n if args.occupation is not None:\n user_new_args['occupation'] = args.occupation\n if args.set_bill_to is True:\n user_new_args['billTo'] = args.org\n return user_new_args\n", "role": "user" }, { "content": "get_user_new_args", "role": "assistant" } ]
def x(args, executable, preset_inputs=None, input_name_prefix=None): exec_inputs = try_call(ExecutableInputs, executable, input_name_prefix= input_name_prefix, active_region=args.region) if args.input_json is None and args.filename is None: exec_inputs.update(args.input_from_clone, strip_prefix=False) if preset_inputs is not None: exec_inputs.update(preset_inputs, strip_prefix=False) require_all_inputs = args.batch_tsv is None try_call(exec_inputs.update_from_args, args, require_all_inputs) return exec_inputs.inputs
get_input_for_run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args, executable, preset_inputs=None, input_name_prefix=None):\n exec_inputs = try_call(ExecutableInputs, executable, input_name_prefix=\n input_name_prefix, active_region=args.region)\n if args.input_json is None and args.filename is None:\n exec_inputs.update(args.input_from_clone, strip_prefix=False)\n if preset_inputs is not None:\n exec_inputs.update(preset_inputs, strip_prefix=False)\n require_all_inputs = args.batch_tsv is None\n try_call(exec_inputs.update_from_args, args, require_all_inputs)\n return exec_inputs.inputs\n", "role": "user" }, { "content": "get_input_for_run", "role": "assistant" } ]
def x(parser, subparsers_action=None, categories=('other',), add_help=True): name = re.sub('^dx ', '', parser.prog) if subparsers_action is None: subparsers_action = subparsers if isinstance(categories, basestring): categories = categories, parser_map[name] = parser if add_help: _help = subparsers_action._choices_actions[-1].help parser_categories['all']['cmds'].append((name, _help)) for category in categories: parser_categories[category]['cmds'].append((name, _help))
register_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parser, subparsers_action=None, categories=('other',), add_help=True):\n name = re.sub('^dx ', '', parser.prog)\n if subparsers_action is None:\n subparsers_action = subparsers\n if isinstance(categories, basestring):\n categories = categories,\n parser_map[name] = parser\n if add_help:\n _help = subparsers_action._choices_actions[-1].help\n parser_categories['all']['cmds'].append((name, _help))\n for category in categories:\n parser_categories[category]['cmds'].append((name, _help))\n", "role": "user" }, { "content": "register_parser", "role": "assistant" } ]
def x(e): if isinstance(e, urllib3.exceptions.ProtocolError): e = e.args[1] if isinstance(e, (socket.gaierror, socket.herror)): return True if isinstance(e, socket.error) and e.errno in _RETRYABLE_SOCKET_ERRORS: return True if isinstance(e, urllib3.exceptions.NewConnectionError): return True return False
is_retryable_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(e):\n if isinstance(e, urllib3.exceptions.ProtocolError):\n e = e.args[1]\n if isinstance(e, (socket.gaierror, socket.herror)):\n return True\n if isinstance(e, socket.error) and e.errno in _RETRYABLE_SOCKET_ERRORS:\n return True\n if isinstance(e, urllib3.exceptions.NewConnectionError):\n return True\n return False\n", "role": "user" }, { "content": "is_retryable_exception", "role": "assistant" } ]
def x(): last_exc_type, last_error, last_traceback = sys.exc_info() if isinstance(last_error, exceptions.DXAPIError): return last_error.error_message() else: return traceback.format_exc().splitlines()[-1].strip()
extract_msg_from_last_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n last_exc_type, last_error, last_traceback = sys.exc_info()\n if isinstance(last_error, exceptions.DXAPIError):\n return last_error.error_message()\n else:\n return traceback.format_exc().splitlines()[-1].strip()\n", "role": "user" }, { "content": "extract_msg_from_last_exception", "role": "assistant" } ]
def x(response, num_attempts): if (response is not None and response.status == 503 and 'retry-after' in response.headers): try: return int(response.headers['retry-after']) except ValueError: pass if num_attempts <= 1: return 1 num_attempts = min(num_attempts, 7) return randint(2 ** (num_attempts - 2), 2 ** (num_attempts - 1))
calculate_retry_delay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response, num_attempts):\n if (response is not None and response.status == 503 and 'retry-after' in\n response.headers):\n try:\n return int(response.headers['retry-after'])\n except ValueError:\n pass\n if num_attempts <= 1:\n return 1\n num_attempts = min(num_attempts, 7)\n return randint(2 ** (num_attempts - 2), 2 ** (num_attempts - 1))\n", "role": "user" }, { "content": "calculate_retry_delay", "role": "assistant" } ]
def x(host=None, port=None, protocol=None): global APISERVER_PROTOCOL, APISERVER_HOST, APISERVER_PORT, APISERVER if host is not None: APISERVER_HOST = host if port is not None: APISERVER_PORT = port if protocol is not None: APISERVER_PROTOCOL = protocol if port is None or port == '': APISERVER = APISERVER_PROTOCOL + '://' + APISERVER_HOST else: APISERVER = APISERVER_PROTOCOL + '://' + APISERVER_HOST + ':' + str( APISERVER_PORT)
set_api_server_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(host=None, port=None, protocol=None):\n global APISERVER_PROTOCOL, APISERVER_HOST, APISERVER_PORT, APISERVER\n if host is not None:\n APISERVER_HOST = host\n if port is not None:\n APISERVER_PORT = port\n if protocol is not None:\n APISERVER_PROTOCOL = protocol\n if port is None or port == '':\n APISERVER = APISERVER_PROTOCOL + '://' + APISERVER_HOST\n else:\n APISERVER = APISERVER_PROTOCOL + '://' + APISERVER_HOST + ':' + str(\n APISERVER_PORT)\n", "role": "user" }, { "content": "set_api_server_info", "role": "assistant" } ]
def x(host_override=None, port_override=None, protocol='https'): if host_override is not None or port_override is not None: if host_override is None or port_override is None: raise exceptions.DXError( 'Both host and port must be specified if either is specified') return protocol + '://' + host_override + ':' + str(port_override) elif APISERVER_HOST == 'stagingapi.dnanexus.com': return 'https://stagingauth.dnanexus.com' elif APISERVER_HOST == 'api.dnanexus.com': return 'https://auth.dnanexus.com' elif APISERVER_HOST == 'stagingapi.cn.dnanexus.com': return 'https://stagingauth.cn.dnanexus.com:7001' elif APISERVER_HOST == 'api.cn.dnanexus.com': return 'https://auth.cn.dnanexus.com:8001' elif APISERVER_HOST == 'localhost' or APISERVER_HOST == '127.0.0.1': if ('DX_AUTHSERVER_HOST' not in os.environ or 'DX_AUTHSERVER_PORT' not in os.environ): err_msg = ( 'Must set authserver env vars (DX_AUTHSERVER_HOST, DX_AUTHSERVER_PORT) if apiserver is {apiserver}.' ) raise exceptions.DXError(err_msg.format(apiserver=APISERVER_HOST)) else: return os.environ['DX_AUTHSERVER_HOST'] + ':' + os.environ[ 'DX_AUTHSERVER_PORT'] else: err_msg = ( 'Could not determine which auth server is associated with {apiserver}.' ) raise exceptions.DXError(err_msg.format(apiserver=APISERVER_HOST))
get_auth_server_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(host_override=None, port_override=None, protocol='https'):\n if host_override is not None or port_override is not None:\n if host_override is None or port_override is None:\n raise exceptions.DXError(\n 'Both host and port must be specified if either is specified')\n return protocol + '://' + host_override + ':' + str(port_override)\n elif APISERVER_HOST == 'stagingapi.dnanexus.com':\n return 'https://stagingauth.dnanexus.com'\n elif APISERVER_HOST == 'api.dnanexus.com':\n return 'https://auth.dnanexus.com'\n elif APISERVER_HOST == 'stagingapi.cn.dnanexus.com':\n return 'https://stagingauth.cn.dnanexus.com:7001'\n elif APISERVER_HOST == 'api.cn.dnanexus.com':\n return 'https://auth.cn.dnanexus.com:8001'\n elif APISERVER_HOST == 'localhost' or APISERVER_HOST == '127.0.0.1':\n if ('DX_AUTHSERVER_HOST' not in os.environ or 'DX_AUTHSERVER_PORT'\n not in os.environ):\n err_msg = (\n 'Must set authserver env vars (DX_AUTHSERVER_HOST, DX_AUTHSERVER_PORT) if apiserver is {apiserver}.'\n )\n raise exceptions.DXError(err_msg.format(apiserver=APISERVER_HOST))\n else:\n return os.environ['DX_AUTHSERVER_HOST'] + ':' + os.environ[\n 'DX_AUTHSERVER_PORT']\n else:\n err_msg = (\n 'Could not determine which auth server is associated with {apiserver}.'\n )\n raise exceptions.DXError(err_msg.format(apiserver=APISERVER_HOST))\n", "role": "user" }, { "content": "get_auth_server_name", "role": "assistant" } ]
def x(globalworkflow_desc): if not globalworkflow_desc or globalworkflow_desc['class' ] != 'globalworkflow' or not 'regionalOptions' in globalworkflow_desc: return globalworkflow_desc for region, config in globalworkflow_desc['regionalOptions'].items(): workflow_id = config['workflow'] workflow_desc = dxpy.api.workflow_describe(workflow_id) globalworkflow_desc['regionalOptions'][region]['workflowDescribe' ] = workflow_desc return globalworkflow_desc
append_underlying_workflow_describe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(globalworkflow_desc):\n if not globalworkflow_desc or globalworkflow_desc['class'\n ] != 'globalworkflow' or not 'regionalOptions' in globalworkflow_desc:\n return globalworkflow_desc\n for region, config in globalworkflow_desc['regionalOptions'].items():\n workflow_id = config['workflow']\n workflow_desc = dxpy.api.workflow_describe(workflow_id)\n globalworkflow_desc['regionalOptions'][region]['workflowDescribe'\n ] = workflow_desc\n return globalworkflow_desc\n", "role": "user" }, { "content": "append_underlying_workflow_describe", "role": "assistant" } ]
def x(job_id, field_name_and_maybe_index): link = {'$dnanexus_link': {'job': job_id}} if '.' in field_name_and_maybe_index: split_by_dot = field_name_and_maybe_index.rsplit('.', 1) link['$dnanexus_link']['field'] = split_by_dot[0] link['$dnanexus_link']['index'] = int(split_by_dot[1]) else: link['$dnanexus_link']['field'] = field_name_and_maybe_index return link
construct_jbor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(job_id, field_name_and_maybe_index):\n link = {'$dnanexus_link': {'job': job_id}}\n if '.' in field_name_and_maybe_index:\n split_by_dot = field_name_and_maybe_index.rsplit('.', 1)\n link['$dnanexus_link']['field'] = split_by_dot[0]\n link['$dnanexus_link']['index'] = int(split_by_dot[1])\n else:\n link['$dnanexus_link']['field'] = field_name_and_maybe_index\n return link\n", "role": "user" }, { "content": "construct_jbor", "role": "assistant" } ]