source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_bpm_tasks_with_http_info(**kwargs) else: data = self.get_bpm_tasks_with_http_info(**kwargs) return data
get_bpm_tasks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_bpm_tasks_with_http_info(**kwargs)\n else:\n data = self.get_bpm_tasks_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "get_bpm_tasks", "role": "assistant" } ]
def x(self, task_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.notify_task_with_http_info(task_id, **kwargs) else: data = self.notify_task_with_http_info(task_id, **kwargs) return data
notify_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, task_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.notify_task_with_http_info(task_id, **kwargs)\n else:\n data = self.notify_task_with_http_info(task_id, **kwargs)\n return data\n", "role": "user" }, { "content": "notify_task", "role": "assistant" } ]
def x(self, body, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.start_r_creation_task_with_single_url_with_http_info(body, **kwargs) else: data = self.start_r_creation_task_with_single_url_with_http_info(body, **kwargs) return data
start_r_creation_task_with_single_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, body, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.start_r_creation_task_with_single_url_with_http_info(body,\n **kwargs)\n else:\n data = self.start_r_creation_task_with_single_url_with_http_info(body,\n **kwargs)\n return data\n", "role": "user" }, { "content": "start_r_creation_task_with_single_url", "role": "assistant" } ]
def x(input_, output, buffer_size=64 * 1024, cb=None): assert bool(input_) assert bool(output) input_opened = False output_opened = False try: if isinstance(input_, string_types): if not os.path.isdir(os.path.dirname(input_)): os.makedirs(os.path.dirname(input_)) input_ = open(input_, 'r') input_opened = True if isinstance(output, string_types): if not os.path.isdir(os.path.dirname(output)): os.makedirs(os.path.dirname(output)) output = open(output, 'wb') output_opened = True def x(fsrc, fdst, length=buffer_size): cumulative = 0 while True: buf = fsrc.read(length) if not buf: break fdst.write(buf) if cb: cumulative += len(buf) cb(len(buf), cumulative) copyfileobj(input_, output) finally: if input_opened: input_.close() if output_opened: output.close()
copy_file_or_flo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_, output, buffer_size=64 * 1024, cb=None):\n assert bool(input_)\n assert bool(output)\n input_opened = False\n output_opened = False\n try:\n if isinstance(input_, string_types):\n if not os.path.isdir(os.path.dirname(input_)):\n os.makedirs(os.path.dirname(input_))\n input_ = open(input_, 'r')\n input_opened = True\n if isinstance(output, string_types):\n if not os.path.isdir(os.path.dirname(output)):\n os.makedirs(os.path.dirname(output))\n output = open(output, 'wb')\n output_opened = True\n\n def x(fsrc, fdst, length=buffer_size):\n cumulative = 0\n while True:\n buf = fsrc.read(length)\n if not buf:\n break\n fdst.write(buf)\n if cb:\n cumulative += len(buf)\n cb(len(buf), cumulative)\n copyfileobj(input_, output)\n finally:\n if input_opened:\n input_.close()\n if output_opened:\n output.close()\n", "role": "user" }, { "content": "copy_file_or_flo", "role": "assistant" } ]
def x(self, config=None, **kwargs): self.config = config or {} for key in ['messaging_token', 'number']: if key not in self.config: msg = "Tropo backend config must set '%s'; config is %r" % (key, config) raise ImproperlyConfigured(msg) if kwargs: msg = ( 'All tropo backend config should be within the `config`entry of the backend dictionary' ) raise ImproperlyConfigured(msg)
configure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config=None, **kwargs):\n self.config = config or {}\n for key in ['messaging_token', 'number']:\n if key not in self.config:\n msg = \"Tropo backend config must set '%s'; config is %r\" % (key,\n config)\n raise ImproperlyConfigured(msg)\n if kwargs:\n msg = (\n 'All tropo backend config should be within the `config`entry of the backend dictionary'\n )\n raise ImproperlyConfigured(msg)\n", "role": "user" }, { "content": "configure", "role": "assistant" } ]
def x(self, program): signed_program = signing.dumps(program) params = {'action': 'create', 'token': self.config['messaging_token'], 'program': signed_program} data = json.dumps(params) headers = {'accept': 'application/json', 'content-type': 'application/json' } response = requests.post(base_url, data=data, headers=headers) response.raise_for_status() result = json.loads(response.content) if not result['success']: raise Exception('Tropo error: %s' % result.get('error', 'unknown'))
execute_tropo_program
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, program):\n signed_program = signing.dumps(program)\n params = {'action': 'create', 'token': self.config['messaging_token'],\n 'program': signed_program}\n data = json.dumps(params)\n headers = {'accept': 'application/json', 'content-type': 'application/json'\n }\n response = requests.post(base_url, data=data, headers=headers)\n response.raise_for_status()\n result = json.loads(response.content)\n if not result['success']:\n raise Exception('Tropo error: %s' % result.get('error', 'unknown'))\n", "role": "user" }, { "content": "execute_tropo_program", "role": "assistant" } ]
def x(self, id_, text, identities, context=None): from_ = self.config['number'].replace('-', '') commands = [] for identity in identities: commands.append({'message': {'say': {'value': text}, 'to': identity, 'from': from_, 'channel': 'TEXT', 'network': 'SMS'}}) program = {'tropo': commands} self.execute_tropo_program(program)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id_, text, identities, context=None):\n from_ = self.config['number'].replace('-', '')\n commands = []\n for identity in identities:\n commands.append({'message': {'say': {'value': text}, 'to': identity,\n 'from': from_, 'channel': 'TEXT', 'network': 'SMS'}})\n program = {'tropo': commands}\n self.execute_tropo_program(program)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self): v = str(self.geoid.tract).zfill(6) return v[0:4] + '.' + v[4:]
dotted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n v = str(self.geoid.tract).zfill(6)\n return v[0:4] + '.' + v[4:]\n", "role": "user" }, { "content": "dotted", "role": "assistant" } ]
def x(cls, vt_code, vt_args): from geoid import get_class import geoid.census parser = get_class(geoid.census, vt_args.strip('/')).parse cls = type(vt_code.replace('/', '_'), (cls,), {'vt_code': vt_code, 'parser': parser}) globals()[cls.__name__] = cls assert cls.parser return cls
subclass
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, vt_code, vt_args):\n from geoid import get_class\n import geoid.census\n parser = get_class(geoid.census, vt_args.strip('/')).parse\n cls = type(vt_code.replace('/', '_'), (cls,), {'vt_code': vt_code,\n 'parser': parser})\n globals()[cls.__name__] = cls\n assert cls.parser\n return cls\n", "role": "user" }, { "content": "subclass", "role": "assistant" } ]
def x(self, path, skip_to_end=True, offset=None): fh = os.fdopen(os.open(path, os.O_RDONLY | os.O_NONBLOCK)) if offset is None: if skip_to_end: fh.seek(0, 2) self._offset = fh.tell() else: self._offset = 0 else: fh.seek(offset) self._offset = fh.tell() self._fh = fh self._lastsize = fh.tell() self._inode = os.stat(self._path).st_ino
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, skip_to_end=True, offset=None):\n fh = os.fdopen(os.open(path, os.O_RDONLY | os.O_NONBLOCK))\n if offset is None:\n if skip_to_end:\n fh.seek(0, 2)\n self._offset = fh.tell()\n else:\n self._offset = 0\n else:\n fh.seek(offset)\n self._offset = fh.tell()\n self._fh = fh\n self._lastsize = fh.tell()\n self._inode = os.stat(self._path).st_ino\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self, limit=None): while True: if not self._fh: return False dataread = os.read(self._fh.fileno(), limit or 65535) if len(dataread) > 0: self._buf += dataread if limit is not None: return True else: return False
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None):\n while True:\n if not self._fh:\n return False\n dataread = os.read(self._fh.fileno(), limit or 65535)\n if len(dataread) > 0:\n self._buf += dataread\n if limit is not None:\n return True\n else:\n return False\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self): try: return os.stat(self._path).st_ino != self._inode except OSError: return True
hasBeenRotated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n return os.stat(self._path).st_ino != self._inode\n except OSError:\n return True\n", "role": "user" }, { "content": "hasBeenRotated", "role": "assistant" } ]
def x(self): self._read() self._close() try: self._open(self._path, skip_to_end=False) return True except OSError: return False
reopen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._read()\n self._close()\n try:\n self._open(self._path, skip_to_end=False)\n return True\n except OSError:\n return False\n", "role": "user" }, { "content": "reopen", "role": "assistant" } ]
def x(self): if not self._fh: raise StopIteration at_eof = False while True: if self._bufoffset > self._maxreadsize / 2: self._buf = self._buf[self._bufoffset:] self._bufoffset = 0 if len(self._buf) < self._maxreadsize: at_eof = not self._read(self._maxreadsize) try: next_newline = self._buf.index('\n', self._bufoffset) line = self._buf[self._bufoffset:next_newline] self._bufoffset = next_newline + 1 offset = self._offset self._offset += len(line) + 1 if self._longline: self._longline = False else: yield line, offset except ValueError: if not at_eof: logger.warning('Skipping over longline at %s:%d', self. _path, self._offset) self._bufoffset = len(self._buf) - 1 self._longline = True raise StopIteration
readlines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._fh:\n raise StopIteration\n at_eof = False\n while True:\n if self._bufoffset > self._maxreadsize / 2:\n self._buf = self._buf[self._bufoffset:]\n self._bufoffset = 0\n if len(self._buf) < self._maxreadsize:\n at_eof = not self._read(self._maxreadsize)\n try:\n next_newline = self._buf.index('\\n', self._bufoffset)\n line = self._buf[self._bufoffset:next_newline]\n self._bufoffset = next_newline + 1\n offset = self._offset\n self._offset += len(line) + 1\n if self._longline:\n self._longline = False\n else:\n yield line, offset\n except ValueError:\n if not at_eof:\n logger.warning('Skipping over longline at %s:%d', self.\n _path, self._offset)\n self._bufoffset = len(self._buf) - 1\n self._longline = True\n raise StopIteration\n", "role": "user" }, { "content": "readlines", "role": "assistant" } ]
def x(self, skip_to_end=True): paths = [] for single_glob in self._globspec: paths.extend(glob.glob(single_glob)) for path in self._tailedfiles.keys(): if path not in paths: self._tailedfiles[path]._close() del self._tailedfiles[path] for path in paths: try: if self._tailedfiles[path].hasBeenRotated(): if not self._tailedfiles[path].reopen(): del self._tailedfiles[path] except KeyError: self._tailedfiles[path] = TailedFile(path, skip_to_end= skip_to_end, offset=self._offsets.get(path, None))
rescan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, skip_to_end=True):\n paths = []\n for single_glob in self._globspec:\n paths.extend(glob.glob(single_glob))\n for path in self._tailedfiles.keys():\n if path not in paths:\n self._tailedfiles[path]._close()\n del self._tailedfiles[path]\n for path in paths:\n try:\n if self._tailedfiles[path].hasBeenRotated():\n if not self._tailedfiles[path].reopen():\n del self._tailedfiles[path]\n except KeyError:\n self._tailedfiles[path] = TailedFile(path, skip_to_end=\n skip_to_end, offset=self._offsets.get(path, None))\n", "role": "user" }, { "content": "rescan", "role": "assistant" } ]
def x(self, force_rescan=False): if force_rescan or time.time() > self._last_scan + self._interval: self._rescan(skip_to_end=False) self._last_scan = time.time() filereaders = {} for path, tailedfile in self._tailedfiles.iteritems(): filereaders[path] = tailedfile.readlines() while len(filereaders) > 0: for path in filereaders.keys(): lines = filereaders[path] try: line, offset = lines.next() except StopIteration: del filereaders[path] break yield (path, offset), line
poll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, force_rescan=False):\n if force_rescan or time.time() > self._last_scan + self._interval:\n self._rescan(skip_to_end=False)\n self._last_scan = time.time()\n filereaders = {}\n for path, tailedfile in self._tailedfiles.iteritems():\n filereaders[path] = tailedfile.readlines()\n while len(filereaders) > 0:\n for path in filereaders.keys():\n lines = filereaders[path]\n try:\n line, offset = lines.next()\n except StopIteration:\n del filereaders[path]\n break\n yield (path, offset), line\n", "role": "user" }, { "content": "poll", "role": "assistant" } ]
def x(self): for path, tailedfile in self._tailedfiles.iteritems(): yield path, tailedfile._offset
offsets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for path, tailedfile in self._tailedfiles.iteritems():\n yield path, tailedfile._offset\n", "role": "user" }, { "content": "offsets", "role": "assistant" } ]
def x(self, remoteRouteName): self.remoteRouteName = remoteRouteName if self.router._sender is not None: self.start()
connectTo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remoteRouteName):\n self.remoteRouteName = remoteRouteName\n if self.router._sender is not None:\n self.start()\n", "role": "user" }, { "content": "connectTo", "role": "assistant" } ]
def x(self, box): if self.remoteRouteName is _unspecified: raise RouteNotConnected() if self.remoteRouteName is not None: box[_ROUTE] = self.remoteRouteName.encode('ascii') self.router._sender.sendBox(box)
sendBox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, box):\n if self.remoteRouteName is _unspecified:\n raise RouteNotConnected()\n if self.remoteRouteName is not None:\n box[_ROUTE] = self.remoteRouteName.encode('ascii')\n self.router._sender.sendBox(box)\n", "role": "user" }, { "content": "sendBox", "role": "assistant" } ]
def x(self, receiver, routeName=_unspecified): if routeName is _unspecified: routeName = self.createRouteIdentifier() route = Route(self, receiver, routeName) mapping = self._routes if mapping is None: mapping = self._unstarted mapping[routeName] = route return route
bindRoute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, receiver, routeName=_unspecified):\n if routeName is _unspecified:\n routeName = self.createRouteIdentifier()\n route = Route(self, receiver, routeName)\n mapping = self._routes\n if mapping is None:\n mapping = self._unstarted\n mapping[routeName] = route\n return route\n", "role": "user" }, { "content": "bindRoute", "role": "assistant" } ]
def x(self, sender): self._sender = sender for routeName, route in self._unstarted.iteritems(): if route.remoteRouteName is not _unspecified: route.start() self._routes = self._unstarted self._unstarted = None
startReceivingBoxes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sender):\n self._sender = sender\n for routeName, route in self._unstarted.iteritems():\n if route.remoteRouteName is not _unspecified:\n route.start()\n self._routes = self._unstarted\n self._unstarted = None\n", "role": "user" }, { "content": "startReceivingBoxes", "role": "assistant" } ]
def x(self, box): route = box.pop(_ROUTE, None) self._routes[route].receiver.ampBoxReceived(box)
ampBoxReceived
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, box):\n route = box.pop(_ROUTE, None)\n self._routes[route].receiver.ampBoxReceived(box)\n", "role": "user" }, { "content": "ampBoxReceived", "role": "assistant" } ]
def x(self, reason): for routeName, route in self._routes.iteritems(): route.stop(reason) self._routes = None
stopReceivingBoxes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reason):\n for routeName, route in self._routes.iteritems():\n route.stop(reason)\n self._routes = None\n", "role": "user" }, { "content": "stopReceivingBoxes", "role": "assistant" } ]
def x(self): from boto.exception import S3ResponseError import time try: b, ctime = self._tlocal.s3bukt if time.time() - ctime > 60: raise AttributeError return b except AttributeError: try: if self._prefix: b = self._s3conn.get_bucket(self._bucket_name, validate=0) b.get_key(self._prefix) else: b = self._s3conn.get_bucket(self._bucket_name, validate=1) except S3ResponseError as e: if '404 Not Found' in str(e): raise b = self._s3conn.get_bucket(self._bucket_name, validate=0) self._tlocal.s3bukt = b, time.time() return b
s3bukt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from boto.exception import S3ResponseError\n import time\n try:\n b, ctime = self._tlocal.s3bukt\n if time.time() - ctime > 60:\n raise AttributeError\n return b\n except AttributeError:\n try:\n if self._prefix:\n b = self._s3conn.get_bucket(self._bucket_name, validate=0)\n b.get_key(self._prefix)\n else:\n b = self._s3conn.get_bucket(self._bucket_name, validate=1)\n except S3ResponseError as e:\n if '404 Not Found' in str(e):\n raise\n b = self._s3conn.get_bucket(self._bucket_name, validate=0)\n self._tlocal.s3bukt = b, time.time()\n return b\n", "role": "user" }, { "content": "s3bukt", "role": "assistant" } ]
def x(id, tag_prefix): req = swagger_client.BuildRecordPushRequestRest() req.tag_prefix = tag_prefix req.build_record_id = id response = utils.checked_api_call(pnc_api.build_push, 'push', body=req) if response: return utils.format_json_list(response)
push_build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(id, tag_prefix):\n req = swagger_client.BuildRecordPushRequestRest()\n req.tag_prefix = tag_prefix\n req.build_record_id = id\n response = utils.checked_api_call(pnc_api.build_push, 'push', body=req)\n if response:\n return utils.format_json_list(response)\n", "role": "user" }, { "content": "push_build", "role": "assistant" } ]
def x(id, tag_prefix): req = swagger_client.BuildConfigSetRecordPushRequestRest() req.tag_prefix = tag_prefix req.build_config_set_record_id = id response = utils.checked_api_call(pnc_api.build_push, 'push_record_set', body=req) if response: return utils.format_json_list(response)
push_build_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(id, tag_prefix):\n req = swagger_client.BuildConfigSetRecordPushRequestRest()\n req.tag_prefix = tag_prefix\n req.build_config_set_record_id = id\n response = utils.checked_api_call(pnc_api.build_push, 'push_record_set',\n body=req)\n if response:\n return utils.format_json_list(response)\n", "role": "user" }, { "content": "push_build_set", "role": "assistant" } ]
def x(id): response = utils.checked_api_call(pnc_api.build_push, 'status', build_record_id=id) if response: return utils.format_json(response)
push_build_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(id):\n response = utils.checked_api_call(pnc_api.build_push, 'status',\n build_record_id=id)\n if response:\n return utils.format_json(response)\n", "role": "user" }, { "content": "push_build_status", "role": "assistant" } ]
def x(self, input_stream, original_name, length=None): ext = os.path.splitext(original_name)[1] transient = self.new_transient(ext) if not os.path.isdir(self.transient_root): os.makedirs(self.transient_root) self._copy_file(input_stream, transient.path, length=length) return transient
create_transient
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_stream, original_name, length=None):\n ext = os.path.splitext(original_name)[1]\n transient = self.new_transient(ext)\n if not os.path.isdir(self.transient_root):\n os.makedirs(self.transient_root)\n self._copy_file(input_stream, transient.path, length=length)\n return transient\n", "role": "user" }, { "content": "create_transient", "role": "assistant" } ]
def x(self, ext=''): name = random_name(self.transient_length) + ext return TransientFile(self.transient_root, name, self)
new_transient
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ext=''):\n name = random_name(self.transient_length) + ext\n return TransientFile(self.transient_root, name, self)\n", "role": "user" }, { "content": "new_transient", "role": "assistant" } ]
def x(self, name): assert not ('/' in name or '\\' in name or name[0] in '.~') transient = TransientFile(self.transient_root, name, self) if not os.path.isfile(transient.path): raise OSError(errno.ENOENT, 'Transient file has been lost', transient.path) return transient
get_transient
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n assert not ('/' in name or '\\\\' in name or name[0] in '.~')\n transient = TransientFile(self.transient_root, name, self)\n if not os.path.isfile(transient.path):\n raise OSError(errno.ENOENT, 'Transient file has been lost',\n transient.path)\n return transient\n", "role": "user" }, { "content": "get_transient", "role": "assistant" } ]
def x(self, transient_file, persistent_file): dirname = os.path.dirname(persistent_file.path) if not os.path.isdir(dirname): os.makedirs(dirname) os.rename(transient_file.path, persistent_file.path) return persistent_file
store
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transient_file, persistent_file):\n dirname = os.path.dirname(persistent_file.path)\n if not os.path.isdir(dirname):\n os.makedirs(dirname)\n os.rename(transient_file.path, persistent_file.path)\n return persistent_file\n", "role": "user" }, { "content": "store", "role": "assistant" } ]
def x(self, payload): app_key = self._app_key t = int(time.time() * 1000) requestStr = {'header': self._req_header, 'model': payload} data = json.dumps({'requestStr': json.dumps(requestStr)}) data_str = '{}&{}&{}&{}'.format(self._req_token, t, app_key, data) sign = hashlib.md5(data_str.encode('utf-8')).hexdigest() params = {'t': t, 'appKey': app_key, 'sign': sign, 'data': data} return params
sign_payload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, payload):\n app_key = self._app_key\n t = int(time.time() * 1000)\n requestStr = {'header': self._req_header, 'model': payload}\n data = json.dumps({'requestStr': json.dumps(requestStr)})\n data_str = '{}&{}&{}&{}'.format(self._req_token, t, app_key, data)\n sign = hashlib.md5(data_str.encode('utf-8')).hexdigest()\n params = {'t': t, 'appKey': app_key, 'sign': sign, 'data': data}\n return params\n", "role": "user" }, { "content": "sign_payload", "role": "assistant" } ]
def x(self, action, payload, timeout=3): if self._req_token is None: self._fetch_token() url = _gen_url(action) params = self._sign_payload(payload) response = self.http.get(url, params=params, cookies=self._cookies.get( 'cookie'), timeout=timeout) rv = response.json() code, msg = rv['ret'][0].split('::') if code == 'FAIL_SYS_PARAMINVALID_ERROR': raise RuntimeError('Xiami api app id and key not match.') elif code == 'FAIL_SYS_TOKEN_EXOIRED': self._fetch_token() elif code == 'FAIL_BIZ_GLOBAL_NEED_LOGIN': raise RuntimeError('Xiami api need access token.') else: if code != 'SUCCESS': logger.warning( 'Xiami request failed:: req_action: {}, req_payload: {}\nresponse: {}' .format(action, payload, rv)) return code, msg, rv
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, payload, timeout=3):\n if self._req_token is None:\n self._fetch_token()\n url = _gen_url(action)\n params = self._sign_payload(payload)\n response = self.http.get(url, params=params, cookies=self._cookies.get(\n 'cookie'), timeout=timeout)\n rv = response.json()\n code, msg = rv['ret'][0].split('::')\n if code == 'FAIL_SYS_PARAMINVALID_ERROR':\n raise RuntimeError('Xiami api app id and key not match.')\n elif code == 'FAIL_SYS_TOKEN_EXOIRED':\n self._fetch_token()\n elif code == 'FAIL_BIZ_GLOBAL_NEED_LOGIN':\n raise RuntimeError('Xiami api need access token.')\n else:\n if code != 'SUCCESS':\n logger.warning(\n 'Xiami request failed:: req_action: {}, req_payload: {}\\nresponse: {}'\n .format(action, payload, rv))\n return code, msg, rv\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(self, email, password): payload = {'account': email, 'password': password} code, msg, rv = self.request( 'mtop.alimusic.xuser.facade.xiamiuserservice.login', payload) if code == 'SUCCESS': accessToken = rv['data']['data']['accessToken'] self.set_access_token(accessToken) return rv
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email, password):\n payload = {'account': email, 'password': password}\n code, msg, rv = self.request(\n 'mtop.alimusic.xuser.facade.xiamiuserservice.login', payload)\n if code == 'SUCCESS':\n accessToken = rv['data']['data']['accessToken']\n self.set_access_token(accessToken)\n return rv\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self, playlist_id): action = 'mtop.alimusic.music.list.collectservice.getcollectdetail' payload = {'listId': playlist_id} code, msg, rv = self.request(action, payload) return rv['data']['data']['collectDetail']
playlist_detail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, playlist_id):\n action = 'mtop.alimusic.music.list.collectservice.getcollectdetail'\n payload = {'listId': playlist_id}\n code, msg, rv = self.request(action, payload)\n return rv['data']['data']['collectDetail']\n", "role": "user" }, { "content": "playlist_detail", "role": "assistant" } ]
def x(self, user_id, page=1, limit=30): action = 'mtop.alimusic.music.list.collectservice.getcollectbyuser' payload = {'userId': user_id, 'pagingVO': {'page': page, 'pageSize': limit} } code, msg, rv = self.request(action, payload) return rv['data']['data']['collects']
user_playlists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, page=1, limit=30):\n action = 'mtop.alimusic.music.list.collectservice.getcollectbyuser'\n payload = {'userId': user_id, 'pagingVO': {'page': page, 'pageSize': limit}\n }\n code, msg, rv = self.request(action, payload)\n return rv['data']['data']['collects']\n", "role": "user" }, { "content": "user_playlists", "role": "assistant" } ]
def x(self, song_id, op): op = 'un' if op == 'del' else '' action = 'mtop.alimusic.fav.songfavoriteservice.{}favoritesong'.format(op) payload = {'songId': song_id} code, msg, rv = self.request(action, payload) return rv['data']['data']['status'] == 'true'
update_favorite_song
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, song_id, op):\n op = 'un' if op == 'del' else ''\n action = 'mtop.alimusic.fav.songfavoriteservice.{}favoritesong'.format(op)\n payload = {'songId': song_id}\n code, msg, rv = self.request(action, payload)\n return rv['data']['data']['status'] == 'true'\n", "role": "user" }, { "content": "update_favorite_song", "role": "assistant" } ]
def x(self, playlist_id, song_id, op): action = 'mtop.alimusic.music.list.collectservice.{}songs'.format( 'delete' if op == 'del' else 'add') payload = {'listId': playlist_id, 'songIds': [song_id]} code, msg, rv = self.request(action, payload) return rv['data']['data']['success'] == 'true'
update_playlist_song
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, playlist_id, song_id, op):\n action = 'mtop.alimusic.music.list.collectservice.{}songs'.format(\n 'delete' if op == 'del' else 'add')\n payload = {'listId': playlist_id, 'songIds': [song_id]}\n code, msg, rv = self.request(action, payload)\n return rv['data']['data']['success'] == 'true'\n", "role": "user" }, { "content": "update_playlist_song", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.add_dependency_with_http_info(id, **kwargs) else: data = self.add_dependency_with_http_info(id, **kwargs) return data
add_dependency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.add_dependency_with_http_info(id, **kwargs)\n else:\n data = self.add_dependency_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "add_dependency", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.add_product_version_with_http_info(id, **kwargs) else: data = self.add_product_version_with_http_info(id, **kwargs) return data
add_product_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.add_product_version_with_http_info(id, **kwargs)\n else:\n data = self.add_product_version_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "add_product_version", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.clone_with_http_info(id, **kwargs) else: data = self.clone_with_http_info(id, **kwargs) return data
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.clone_with_http_info(id, **kwargs)\n else:\n data = self.clone_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(self, product_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_all_by_product_id_with_http_info(product_id, **kwargs) else: data = self.get_all_by_product_id_with_http_info(product_id, **kwargs) return data
get_all_by_product_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, product_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_all_by_product_id_with_http_info(product_id, **kwargs)\n else:\n data = self.get_all_by_product_id_with_http_info(product_id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_all_by_product_id", "role": "assistant" } ]
def x(self, project_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_all_by_project_id_with_http_info(project_id, **kwargs) else: data = self.get_all_by_project_id_with_http_info(project_id, **kwargs) return data
get_all_by_project_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_all_by_project_id_with_http_info(project_id, **kwargs)\n else:\n data = self.get_all_by_project_id_with_http_info(project_id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_all_by_project_id", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_builds_with_http_info(id, **kwargs) else: data = self.get_builds_with_http_info(id, **kwargs) return data
get_builds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_builds_with_http_info(id, **kwargs)\n else:\n data = self.get_builds_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_builds", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_dependencies_with_http_info(id, **kwargs) else: data = self.get_dependencies_with_http_info(id, **kwargs) return data
get_dependencies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_dependencies_with_http_info(id, **kwargs)\n else:\n data = self.get_dependencies_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_dependencies", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_product_versions_with_http_info(id, **kwargs) else: data = self.get_product_versions_with_http_info(id, **kwargs) return data
get_product_versions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_product_versions_with_http_info(id, **kwargs)\n else:\n data = self.get_product_versions_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_product_versions", "role": "assistant" } ]
def x(self, id, rev, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_revision_with_http_info(id, rev, **kwargs) else: data = self.get_revision_with_http_info(id, rev, **kwargs) return data
get_revision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, rev, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_revision_with_http_info(id, rev, **kwargs)\n else:\n data = self.get_revision_with_http_info(id, rev, **kwargs)\n return data\n", "role": "user" }, { "content": "get_revision", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_revisions_with_http_info(id, **kwargs) else: data = self.get_revisions_with_http_info(id, **kwargs) return data
get_revisions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_revisions_with_http_info(id, **kwargs)\n else:\n data = self.get_revisions_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "get_revisions", "role": "assistant" } ]
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.get_supported_generic_parameters_with_http_info(**kwargs) else: data = self.get_supported_generic_parameters_with_http_info(**kwargs) return data
get_supported_generic_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.get_supported_generic_parameters_with_http_info(**kwargs)\n else:\n data = self.get_supported_generic_parameters_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "get_supported_generic_parameters", "role": "assistant" } ]
def x(self, id, dependency_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.remove_dependency_with_http_info(id, dependency_id, ** kwargs) else: data = self.remove_dependency_with_http_info(id, dependency_id, ** kwargs) return data
remove_dependency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, dependency_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.remove_dependency_with_http_info(id, dependency_id, **\n kwargs)\n else:\n data = self.remove_dependency_with_http_info(id, dependency_id, **\n kwargs)\n return data\n", "role": "user" }, { "content": "remove_dependency", "role": "assistant" } ]
def x(self, id, product_version_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.remove_product_version_with_http_info(id, product_version_id, **kwargs) else: data = self.remove_product_version_with_http_info(id, product_version_id, **kwargs) return data
remove_product_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, product_version_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.remove_product_version_with_http_info(id,\n product_version_id, **kwargs)\n else:\n data = self.remove_product_version_with_http_info(id,\n product_version_id, **kwargs)\n return data\n", "role": "user" }, { "content": "remove_product_version", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.trigger_with_http_info(id, **kwargs) else: data = self.trigger_with_http_info(id, **kwargs) return data
trigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.trigger_with_http_info(id, **kwargs)\n else:\n data = self.trigger_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "trigger", "role": "assistant" } ]
def x(self, id, rev, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.trigger_audited_with_http_info(id, rev, **kwargs) else: data = self.trigger_audited_with_http_info(id, rev, **kwargs) return data
trigger_audited
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, rev, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.trigger_audited_with_http_info(id, rev, **kwargs)\n else:\n data = self.trigger_audited_with_http_info(id, rev, **kwargs)\n return data\n", "role": "user" }, { "content": "trigger_audited", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('callback'): return self.update_and_get_audited_with_http_info(id, **kwargs) else: data = self.update_and_get_audited_with_http_info(id, **kwargs) return data
update_and_get_audited
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('callback'):\n return self.update_and_get_audited_with_http_info(id, **kwargs)\n else:\n data = self.update_and_get_audited_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "update_and_get_audited", "role": "assistant" } ]
def x(sig, frame): d = {'_frame': frame} d.update(frame.f_globals) d.update(frame.f_locals) i = code.InteractiveConsole(d) message = 'Signal recieved : entering python shell.\nTraceback:\n' message += ''.join(traceback.format_stack(frame)) i.interact(message)
debug_break
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sig, frame):\n d = {'_frame': frame}\n d.update(frame.f_globals)\n d.update(frame.f_locals)\n i = code.InteractiveConsole(d)\n message = 'Signal recieved : entering python shell.\\nTraceback:\\n'\n message += ''.join(traceback.format_stack(frame))\n i.interact(message)\n", "role": "user" }, { "content": "debug_break", "role": "assistant" } ]
def x(fn): def x(*args, **kwargs): msg = [] msg.append('Enter {}('.format(fn.__name__)) if args: msg.append(', '.join([str(x) for x in args])) if kwargs: kwargs_str = ', '.join(['{}={}'.format(k, v) for k, v in list( kwargs.items())]) if args: msg.append(', ') msg.append(kwargs_str) msg.append(')') print(''.join(msg)) ret = fn(*args, **kwargs) print('Return {}'.format(ret)) return ret return wrapped
trace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n\n def x(*args, **kwargs):\n msg = []\n msg.append('Enter {}('.format(fn.__name__))\n if args:\n msg.append(', '.join([str(x) for x in args]))\n if kwargs:\n kwargs_str = ', '.join(['{}={}'.format(k, v) for k, v in list(\n kwargs.items())])\n if args:\n msg.append(', ')\n msg.append(kwargs_str)\n msg.append(')')\n print(''.join(msg))\n ret = fn(*args, **kwargs)\n print('Return {}'.format(ret))\n return ret\n return wrapped\n", "role": "user" }, { "content": "trace", "role": "assistant" } ]
def x(): openfiles = set() oldfile = builtins.file class newfile(oldfile): def x(self, *args, **kwargs): self.x = args[0] all_fds = count_open_fds() print('### {} OPENING {} ( {} total )###'.format(len(openfiles), str(self.x), all_fds)) oldfile.__init__(self, *args, **kwargs) openfiles.add(self) def x(self): print('### {} CLOSING {} ###'.format(len(openfiles), str(self.x))) oldfile.close(self) openfiles.remove(self) def x(*args, **kwargs): return newfile(*args, **kwargs) builtins.file = newfile builtins.open = newopen
patch_file_open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n openfiles = set()\n oldfile = builtins.file\n\n\n class newfile(oldfile):\n\n def x(self, *args, **kwargs):\n self.x = args[0]\n all_fds = count_open_fds()\n print('### {} OPENING {} ( {} total )###'.format(len(openfiles),\n str(self.x), all_fds))\n oldfile.__init__(self, *args, **kwargs)\n openfiles.add(self)\n\n def x(self):\n print('### {} CLOSING {} ###'.format(len(openfiles), str(self.x)))\n oldfile.close(self)\n openfiles.remove(self)\n\n def x(*args, **kwargs):\n return newfile(*args, **kwargs)\n builtins.file = newfile\n builtins.open = newopen\n", "role": "user" }, { "content": "patch_file_open", "role": "assistant" } ]
def x(client, credentials): if not IUsernamePassword.providedBy(credentials): raise UnhandledCredentials() d = client.callRemote(PasswordLogin, username=credentials.username) def x(response): args = PasswordChallengeResponse.determineFrom(response['challenge' ], credentials.password) d = client.callRemote(PasswordChallengeResponse, **args) return d.addCallback(lambda ignored: client) d.addCallback(cbChallenge) return d
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, credentials):\n if not IUsernamePassword.providedBy(credentials):\n raise UnhandledCredentials()\n d = client.callRemote(PasswordLogin, username=credentials.username)\n\n def x(response):\n args = PasswordChallengeResponse.determineFrom(response['challenge'\n ], credentials.password)\n d = client.callRemote(PasswordChallengeResponse, **args)\n return d.addCallback(lambda ignored: client)\n d.addCallback(cbChallenge)\n return d\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(cls, challenge, password): nonce = secureRandom(16) response = _calcResponse(challenge, nonce, password) return dict(cnonce=nonce, response=response)
determineFrom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, challenge, password):\n nonce = secureRandom(16)\n response = _calcResponse(challenge, nonce, password)\n return dict(cnonce=nonce, response=response)\n", "role": "user" }, { "content": "determineFrom", "role": "assistant" } ]
def x(self, password): if isinstance(password, unicode): password = password.encode('utf-8') correctResponse = _calcResponse(self.challenge, self.nonce, password) return correctResponse == self.response
checkPassword
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, password):\n if isinstance(password, unicode):\n password = password.encode('utf-8')\n correctResponse = _calcResponse(self.challenge, self.nonce, password)\n return correctResponse == self.response\n", "role": "user" }, { "content": "checkPassword", "role": "assistant" } ]
def x(self, username): self.challenge = secureRandom(16) self.username = username return {'challenge': self.challenge}
passwordLogin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username):\n self.challenge = secureRandom(16)\n self.username = username\n return {'challenge': self.challenge}\n", "role": "user" }, { "content": "passwordLogin", "role": "assistant" } ]
def x(self, cnonce, response): return self._login(_AMPUsernamePassword(self.username, self.challenge, cnonce, response))
passwordChallengeResponse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cnonce, response):\n return self._login(_AMPUsernamePassword(self.username, self.challenge,\n cnonce, response))\n", "role": "user" }, { "content": "passwordChallengeResponse", "role": "assistant" } ]
def x(self, reason): AMP.connectionLost(self, reason) if self.logout is not None: self.logout() self.boxReceiver = self.logout = None
connectionLost
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reason):\n AMP.connectionLost(self, reason)\n if self.logout is not None:\n self.logout()\n self.boxReceiver = self.logout = None\n", "role": "user" }, { "content": "connectionLost", "role": "assistant" } ]
def x(self, position): if not self._lyric: return pos = find_previous(position * 1000 + 300, self._pos_list) if pos is not None and pos != self._pos: self.current_sentence = self._pos_s_map[pos] self._pos = pos
on_position_changed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, position):\n if not self._lyric:\n return\n pos = find_previous(position * 1000 + 300, self._pos_list)\n if pos is not None and pos != self._pos:\n self.current_sentence = self._pos_s_map[pos]\n self._pos = pos\n", "role": "user" }, { "content": "on_position_changed", "role": "assistant" } ]
def x(self, song): if song is None or song.lyric is None: self._lyric = None self._pos_s_map = {} else: self._lyric = song.lyric.content self._pos_s_map = parse(self._lyric) self._pos_list = sorted(list(self._pos_s_map.keys())) self._pos = None self.current_sentence = ''
on_song_changed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, song):\n if song is None or song.lyric is None:\n self._lyric = None\n self._pos_s_map = {}\n else:\n self._lyric = song.lyric.content\n self._pos_s_map = parse(self._lyric)\n self._pos_list = sorted(list(self._pos_s_map.keys()))\n self._pos = None\n self.current_sentence = ''\n", "role": "user" }, { "content": "on_song_changed", "role": "assistant" } ]
def x(struct): maxValues = 9999, 12, 31, 23, 59, 59 minValues = 1, 1, 1, 0, 0, 0 newstruct = [] for value, maxValue, minValue in zip(struct[:6], maxValues, minValues): newstruct.append(max(minValue, min(value, maxValue))) return tuple(newstruct) + struct[6:]
sanitizeStructTime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(struct):\n maxValues = 9999, 12, 31, 23, 59, 59\n minValues = 1, 1, 1, 0, 0, 0\n newstruct = []\n for value, maxValue, minValue in zip(struct[:6], maxValues, minValues):\n newstruct.append(max(minValue, min(value, maxValue)))\n return tuple(newstruct) + struct[6:]\n", "role": "user" }, { "content": "sanitizeStructTime", "role": "assistant" } ]
def x(offset): minutes = round((offset.days * 3600000000 * 24 + offset.seconds * 1000000 + offset.microseconds) / 60000000.0) if minutes < 0: sign = '-' minutes = -minutes else: sign = '+' return sign, minutes // 60, minutes % 60
timedeltaToSignHrMin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(offset):\n minutes = round((offset.days * 3600000000 * 24 + offset.seconds * \n 1000000 + offset.microseconds) / 60000000.0)\n if minutes < 0:\n sign = '-'\n minutes = -minutes\n else:\n sign = '+'\n return sign, minutes // 60, minutes % 60\n", "role": "user" }, { "content": "timedeltaToSignHrMin", "role": "assistant" } ]
def x(klass, structTime, tzinfo=None): dtime = datetime.datetime(*structTime[:6], tzinfo=tzinfo) self = klass.fromDatetime(dtime) self.resolution = datetime.timedelta(seconds=1) return self
fromStructTime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass, structTime, tzinfo=None):\n dtime = datetime.datetime(*structTime[:6], tzinfo=tzinfo)\n self = klass.fromDatetime(dtime)\n self.resolution = datetime.timedelta(seconds=1)\n return self\n", "role": "user" }, { "content": "fromStructTime", "role": "assistant" } ]
def x(klass, dtime): self = klass.__new__(klass) if dtime.tzinfo is not None: self._time = dtime.astimezone(FixedOffset(0, 0)).replace(tzinfo=None) else: self._time = dtime self.resolution = datetime.timedelta.resolution return self
fromDatetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass, dtime):\n self = klass.__new__(klass)\n if dtime.tzinfo is not None:\n self._time = dtime.astimezone(FixedOffset(0, 0)).replace(tzinfo=None)\n else:\n self._time = dtime\n self.resolution = datetime.timedelta.resolution\n return self\n", "role": "user" }, { "content": "fromDatetime", "role": "assistant" } ]
def x(klass, secs): self = klass.fromDatetime(_EPOCH + datetime.timedelta(seconds=secs)) self.resolution = datetime.timedelta() return self
fromPOSIXTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass, secs):\n self = klass.fromDatetime(_EPOCH + datetime.timedelta(seconds=secs))\n self.resolution = datetime.timedelta()\n return self\n", "role": "user" }, { "content": "fromPOSIXTimestamp", "role": "assistant" } ]
def x(self, tzinfo=None): if tzinfo is None: tzinfo = FixedOffset(0, 0) if not self.isTimezoneDependent(): return self._time.replace(tzinfo=tzinfo) else: return self._time.replace(tzinfo=FixedOffset(0, 0)).astimezone(tzinfo)
asDatetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tzinfo=None):\n if tzinfo is None:\n tzinfo = FixedOffset(0, 0)\n if not self.isTimezoneDependent():\n return self._time.replace(tzinfo=tzinfo)\n else:\n return self._time.replace(tzinfo=FixedOffset(0, 0)).astimezone(tzinfo)\n", "role": "user" }, { "content": "asDatetime", "role": "assistant" } ]
def x(self, tzinfo=None, includeDayOfWeek=True): dtime = self.asDatetime(tzinfo) if tzinfo is None: rfcoffset = '-0000' else: rfcoffset = '%s%02i%02i' % _timedeltaToSignHrMin(dtime.utcoffset()) rfcstring = '' if includeDayOfWeek: rfcstring += self.rfc2822Weekdays[dtime.weekday()] + ', ' rfcstring += '%i %s %4i %02i:%02i:%02i %s' % (dtime.day, self. rfc2822Months[dtime.month - 1], dtime.year, dtime.hour, dtime. minute, dtime.second, rfcoffset) return rfcstring
asRFC2822
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tzinfo=None, includeDayOfWeek=True):\n dtime = self.asDatetime(tzinfo)\n if tzinfo is None:\n rfcoffset = '-0000'\n else:\n rfcoffset = '%s%02i%02i' % _timedeltaToSignHrMin(dtime.utcoffset())\n rfcstring = ''\n if includeDayOfWeek:\n rfcstring += self.rfc2822Weekdays[dtime.weekday()] + ', '\n rfcstring += '%i %s %4i %02i:%02i:%02i %s' % (dtime.day, self.\n rfc2822Months[dtime.month - 1], dtime.year, dtime.hour, dtime.\n minute, dtime.second, rfcoffset)\n return rfcstring\n", "role": "user" }, { "content": "asRFC2822", "role": "assistant" } ]
def x(self, includeDelimiters=True, tzinfo=None, includeTimezone=True): if not self.isTimezoneDependent(): tzinfo = None dtime = self.asDatetime(tzinfo) if includeDelimiters: dateSep = '-' timeSep = ':' else: dateSep = timeSep = '' if includeTimezone: if tzinfo is None: timezone = '+00%s00' % (timeSep,) else: sign, hour, min = _timedeltaToSignHrMin(dtime.utcoffset()) timezone = '%s%02i%s%02i' % (sign, hour, timeSep, min) else: timezone = '' microsecond = ('%06i' % (dtime.microsecond,)).rstrip('0') if microsecond: microsecond = '.' + microsecond parts = [('%04i' % (dtime.year,), datetime.timedelta(days=366)), ( '%s%02i' % (dateSep, dtime.month), datetime.timedelta(days=31)), ( '%s%02i' % (dateSep, dtime.day), datetime.timedelta(days=1)), ('T', datetime.timedelta(hours=1)), ('%02i' % (dtime.hour,), datetime. timedelta(hours=1)), ('%s%02i' % (timeSep, dtime.minute), datetime. timedelta(minutes=1)), ('%s%02i' % (timeSep, dtime.second), datetime.timedelta(seconds=1)), (microsecond, datetime.timedelta( microseconds=1)), (timezone, datetime.timedelta(hours=1))] formatted = '' for part, minResolution in parts: if self.resolution <= minResolution: formatted += part return formatted
asISO8601TimeAndDate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, includeDelimiters=True, tzinfo=None, includeTimezone=True):\n if not self.isTimezoneDependent():\n tzinfo = None\n dtime = self.asDatetime(tzinfo)\n if includeDelimiters:\n dateSep = '-'\n timeSep = ':'\n else:\n dateSep = timeSep = ''\n if includeTimezone:\n if tzinfo is None:\n timezone = '+00%s00' % (timeSep,)\n else:\n sign, hour, min = _timedeltaToSignHrMin(dtime.utcoffset())\n timezone = '%s%02i%s%02i' % (sign, hour, timeSep, min)\n else:\n timezone = ''\n microsecond = ('%06i' % (dtime.microsecond,)).rstrip('0')\n if microsecond:\n microsecond = '.' + microsecond\n parts = [('%04i' % (dtime.year,), datetime.timedelta(days=366)), (\n '%s%02i' % (dateSep, dtime.month), datetime.timedelta(days=31)), (\n '%s%02i' % (dateSep, dtime.day), datetime.timedelta(days=1)), ('T',\n datetime.timedelta(hours=1)), ('%02i' % (dtime.hour,), datetime.\n timedelta(hours=1)), ('%s%02i' % (timeSep, dtime.minute), datetime.\n timedelta(minutes=1)), ('%s%02i' % (timeSep, dtime.second),\n datetime.timedelta(seconds=1)), (microsecond, datetime.timedelta(\n microseconds=1)), (timezone, datetime.timedelta(hours=1))]\n formatted = ''\n for part, minResolution in parts:\n if self.resolution <= minResolution:\n formatted += part\n return formatted\n", "role": "user" }, { "content": "asISO8601TimeAndDate", "role": "assistant" } ]
def x(self, tzinfo=None): dtime = self.asDatetime(tzinfo) if tzinfo is None: return dtime.utctimetuple() else: return dtime.timetuple()
asStructTime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tzinfo=None):\n dtime = self.asDatetime(tzinfo)\n if tzinfo is None:\n return dtime.utctimetuple()\n else:\n return dtime.timetuple()\n", "role": "user" }, { "content": "asStructTime", "role": "assistant" } ]
def x(self, tzinfo=None, now=None, precision=Precision.MINUTES): try: timeFormat = Time._timeFormat[precision] except KeyError: raise InvalidPrecision( 'Use Time.Precision.MINUTES or Time.Precision.SECONDS') if now is None: now = Time().asDatetime(tzinfo) else: now = now.asDatetime(tzinfo) dtime = self.asDatetime(tzinfo) if dtime.date() == now.date(): if self.isAllDay(): return 'all day' return dtime.strftime(timeFormat).lower() else: res = str(dtime.date().day) + dtime.strftime(' %b') if not dtime.date().year == now.date().year: res += dtime.strftime(' %Y') if not self.isAllDay(): res += dtime.strftime(', %s' % (timeFormat,)).lower() return res
asHumanly
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tzinfo=None, now=None, precision=Precision.MINUTES):\n try:\n timeFormat = Time._timeFormat[precision]\n except KeyError:\n raise InvalidPrecision(\n 'Use Time.Precision.MINUTES or Time.Precision.SECONDS')\n if now is None:\n now = Time().asDatetime(tzinfo)\n else:\n now = now.asDatetime(tzinfo)\n dtime = self.asDatetime(tzinfo)\n if dtime.date() == now.date():\n if self.isAllDay():\n return 'all day'\n return dtime.strftime(timeFormat).lower()\n else:\n res = str(dtime.date().day) + dtime.strftime(' %b')\n if not dtime.date().year == now.date().year:\n res += dtime.strftime(' %Y')\n if not self.isAllDay():\n res += dtime.strftime(', %s' % (timeFormat,)).lower()\n return res\n", "role": "user" }, { "content": "asHumanly", "role": "assistant" } ]
def x(self, tzinfo=None): if self.resolution >= datetime.timedelta(days=1) and tzinfo is not None: time = self._time.replace(tzinfo=tzinfo) else: time = self._time return min(self.fromDatetime(time), self.fromDatetime(self._time)), max( self.fromDatetime(time + self.resolution), self.fromDatetime(self. _time + self.resolution))
getBounds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tzinfo=None):\n if self.resolution >= datetime.timedelta(days=1) and tzinfo is not None:\n time = self._time.replace(tzinfo=tzinfo)\n else:\n time = self._time\n return min(self.fromDatetime(time), self.fromDatetime(self._time)), max(\n self.fromDatetime(time + self.resolution), self.fromDatetime(self.\n _time + self.resolution))\n", "role": "user" }, { "content": "getBounds", "role": "assistant" } ]
def x(self): day = self.__class__.fromDatetime(self.asDatetime().replace(hour=0, minute=0, second=0, microsecond=0)) day.resolution = datetime.timedelta(days=1) return day
oneDay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n day = self.__class__.fromDatetime(self.asDatetime().replace(hour=0,\n minute=0, second=0, microsecond=0))\n day.resolution = datetime.timedelta(days=1)\n return day\n", "role": "user" }, { "content": "oneDay", "role": "assistant" } ]
def x(name, file_name=None, stream=None, template=None, propagate=False, level=None): logger = logging.getLogger(name) running_tests = 'test' in sys.argv or sys.argv[0].endswith('py.test') if running_tests and not level: level = logging.CRITICAL if not level: level = logging.INFO logger.setLevel(level) logger.propagate = propagate formatter = logging.Formatter(template) if not stream: stream = sys.stdout logger.handlers = [] handler = logging.StreamHandler(stream=stream) handler.setFormatter(formatter) logger.addHandler(handler) if file_name: handler = logging.FileHandler(file_name) handler.setFormatter(logging.Formatter('%(asctime)s ' + template)) logger.addHandler(handler) return logger
get_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, file_name=None, stream=None, template=None, propagate=False,\n level=None):\n logger = logging.getLogger(name)\n running_tests = 'test' in sys.argv or sys.argv[0].endswith('py.test')\n if running_tests and not level:\n level = logging.CRITICAL\n if not level:\n level = logging.INFO\n logger.setLevel(level)\n logger.propagate = propagate\n formatter = logging.Formatter(template)\n if not stream:\n stream = sys.stdout\n logger.handlers = []\n handler = logging.StreamHandler(stream=stream)\n handler.setFormatter(formatter)\n logger.addHandler(handler)\n if file_name:\n handler = logging.FileHandler(file_name)\n handler.setFormatter(logging.Formatter('%(asctime)s ' + template))\n logger.addHandler(handler)\n return logger\n", "role": "user" }, { "content": "get_logger", "role": "assistant" } ]
def x(obj): cache = obj.cache = {} last_access = obj.last_access = defaultdict(int) @wraps(obj) def x(*args, **kwargs): key = str(args) + str(kwargs) if last_access[key] and last_access[key] + 10 < time(): if key in cache: del cache[key] last_access[key] = time() if key not in cache: cache[key] = obj(*args, **kwargs) return cache[key] return memoizer
expiring_memoize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n cache = obj.cache = {}\n last_access = obj.last_access = defaultdict(int)\n\n @wraps(obj)\n def x(*args, **kwargs):\n key = str(args) + str(kwargs)\n if last_access[key] and last_access[key] + 10 < time():\n if key in cache:\n del cache[key]\n last_access[key] = time()\n if key not in cache:\n cache[key] = obj(*args, **kwargs)\n return cache[key]\n return memoizer\n", "role": "user" }, { "content": "expiring_memoize", "role": "assistant" } ]
def x(maxsize=128, maxtime=60): maxqueue = maxsize * 10 def x(user_function, len=len, iter=iter, tuple=tuple, sorted=sorted, KeyError=KeyError): cache = {} queue = deque() refcount = Counter() sentinel = object() kwd_mark = object() queue_append, queue_popleft = queue.append, queue.popleft queue_appendleft, queue_pop = queue.appendleft, queue.pop @wraps(user_function) def x(*args, **kwds): key = args if kwds: key += (kwd_mark,) + tuple(sorted(kwds.items())) queue_append(key) refcount[key] += 1 try: result, expire_time = cache[key] if expire_time and time() > expire_time: raise KeyError('Expired') wrapper.hits += 1 except KeyError: result = user_function(*args, **kwds) if maxtime: expire_time = time() + maxtime else: expire_time = None cache[key] = result, expire_time wrapper.misses += 1 if len(cache) > maxsize: key = queue_popleft() refcount[key] -= 1 while refcount[key]: key = queue_popleft() refcount[key] -= 1 del cache[key], refcount[key] if len(queue) > maxqueue: refcount.clear() queue_appendleft(sentinel) for key in filterfalse(refcount.__contains__, iter( queue_pop, sentinel)): queue_appendleft(key) refcount[key] = 1 return result def x(): cache.clear() queue.clear() refcount.clear() wrapper.hits = wrapper.misses = 0 wrapper.hits = wrapper.misses = 0 wrapper.clear = clear return wrapper return decorating_function
lru_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(maxsize=128, maxtime=60):\n maxqueue = maxsize * 10\n\n def x(user_function, len=len, iter=iter, tuple=tuple, sorted=sorted,\n KeyError=KeyError):\n cache = {}\n queue = deque()\n refcount = Counter()\n sentinel = object()\n kwd_mark = object()\n queue_append, queue_popleft = queue.append, queue.popleft\n queue_appendleft, queue_pop = queue.appendleft, queue.pop\n\n @wraps(user_function)\n def x(*args, **kwds):\n key = args\n if kwds:\n key += (kwd_mark,) + tuple(sorted(kwds.items()))\n queue_append(key)\n refcount[key] += 1\n try:\n result, expire_time = cache[key]\n if expire_time and time() > expire_time:\n raise KeyError('Expired')\n wrapper.hits += 1\n except KeyError:\n result = user_function(*args, **kwds)\n if maxtime:\n expire_time = time() + maxtime\n else:\n expire_time = None\n cache[key] = result, expire_time\n wrapper.misses += 1\n if len(cache) > maxsize:\n key = queue_popleft()\n refcount[key] -= 1\n while refcount[key]:\n key = queue_popleft()\n refcount[key] -= 1\n del cache[key], refcount[key]\n if len(queue) > maxqueue:\n refcount.clear()\n queue_appendleft(sentinel)\n for key in filterfalse(refcount.__contains__, iter(\n queue_pop, sentinel)):\n queue_appendleft(key)\n refcount[key] = 1\n return result\n\n def x():\n cache.clear()\n queue.clear()\n refcount.clear()\n wrapper.hits = wrapper.misses = 0\n wrapper.hits = wrapper.misses = 0\n wrapper.clear = clear\n return wrapper\n return decorating_function\n", "role": "user" }, { "content": "lru_cache", "role": "assistant" } ]
def x(cfg, custom_level=None): import itertools as it import operator as op if custom_level is None: custom_level = logging.WARNING for entity in it.chain.from_iterable(it.imap(op.methodcaller( 'viewvalues'), [cfg] + [cfg.get(k, dict()) for k in ['handlers', 'loggers']])): if isinstance(entity, Mapping) and entity.get('level') == 'custom': entity['level'] = custom_level logging.config.dictConfig(cfg) logging.captureWarnings(cfg.warnings)
configure_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cfg, custom_level=None):\n import itertools as it\n import operator as op\n if custom_level is None:\n custom_level = logging.WARNING\n for entity in it.chain.from_iterable(it.imap(op.methodcaller(\n 'viewvalues'), [cfg] + [cfg.get(k, dict()) for k in ['handlers',\n 'loggers']])):\n if isinstance(entity, Mapping) and entity.get('level') == 'custom':\n entity['level'] = custom_level\n logging.config.dictConfig(cfg)\n logging.captureWarnings(cfg.warnings)\n", "role": "user" }, { "content": "configure_logging", "role": "assistant" } ]
def x(data): for k, v in iteritems(data): v.discard(k) extra_items_in_deps = reduce(set.union, itervalues(data)) - set(data.keys() ) data.update({item: set() for item in extra_items_in_deps}) while True: ordered = set(item for item, dep in iteritems(data) if not dep) if not ordered: break yield ordered data = {item: (dep - ordered) for item, dep in iteritems(data) if item not in ordered} assert not data, 'Cyclic dependencies exist among these items:\n%s' % '\n'.join( repr(x) for x in list(data.items()))
toposort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n for k, v in iteritems(data):\n v.discard(k)\n extra_items_in_deps = reduce(set.union, itervalues(data)) - set(data.keys()\n )\n data.update({item: set() for item in extra_items_in_deps})\n while True:\n ordered = set(item for item, dep in iteritems(data) if not dep)\n if not ordered:\n break\n yield ordered\n data = {item: (dep - ordered) for item, dep in iteritems(data) if \n item not in ordered}\n assert not data, 'Cyclic dependencies exist among these items:\\n%s' % '\\n'.join(\n repr(x) for x in list(data.items()))\n", "role": "user" }, { "content": "toposort", "role": "assistant" } ]
def x(f, block_size=2 ** 20): md5 = hashlib.md5() try: f.seek(0) return md5_for_stream(f, block_size=block_size) except AttributeError: file_name = f with open(file_name, 'rb') as f: return md5_for_file(f, block_size)
md5_for_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, block_size=2 ** 20):\n md5 = hashlib.md5()\n try:\n f.seek(0)\n return md5_for_stream(f, block_size=block_size)\n except AttributeError:\n file_name = f\n with open(file_name, 'rb') as f:\n return md5_for_file(f, block_size)\n", "role": "user" }, { "content": "md5_for_file", "role": "assistant" } ]
def x(past, prefix, s): def x(s, t=0): v = ['a', 'e', 'i', 'o', 'u', 'y'] c = [chr(x) for x in six_xrange(ord('a'), ord('z') + 1) if chr(x) not in v] s = re.sub('\\W+', '', s.lower()) vx = [x for x in s if x in v] cx = [x for x in s if x in c] if s.startswith('Mc'): if t < 1: return 'Mc' + v[0] if t < 2: return 'Mc' + c[0] if s[0] in v: if t < 1: return vx[0] + cx[0] + cx[1] if t < 2: return vx[0] + vx[1] + cx[0] if s[0] in c and s[1] in c: if t < 1: return cx[0] + cx[1] + vx[0] if t < 2: return cx[0] + cx[1] + cx[2] if t < 3: return cx[0] + vx[0] + cx[1] if t < 4: return cx[0] + cx[1] + cx[2] if t < 5: return cx[0] + vx[0] + vx[1] if t < 6: return cx[0] + cx[1] + cx[-1] if t < 7: return s[0:3] if t < 8: return s[1:4] if t < 9: return s[2:5] if t < 10: return s[3:6] return None for t in six_xrange(11): try: a = _make_acro(s, t) if a is not None: if prefix: aps = prefix + a else: aps = a if aps not in past: past.add(aps) return a except IndexError: pass raise Exception('Could not get acronym.')
make_acro
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(past, prefix, s):\n\n def x(s, t=0):\n v = ['a', 'e', 'i', 'o', 'u', 'y']\n c = [chr(x) for x in six_xrange(ord('a'), ord('z') + 1) if chr(x)\n not in v]\n s = re.sub('\\\\W+', '', s.lower())\n vx = [x for x in s if x in v]\n cx = [x for x in s if x in c]\n if s.startswith('Mc'):\n if t < 1:\n return 'Mc' + v[0]\n if t < 2:\n return 'Mc' + c[0]\n if s[0] in v:\n if t < 1:\n return vx[0] + cx[0] + cx[1]\n if t < 2:\n return vx[0] + vx[1] + cx[0]\n if s[0] in c and s[1] in c:\n if t < 1:\n return cx[0] + cx[1] + vx[0]\n if t < 2:\n return cx[0] + cx[1] + cx[2]\n if t < 3:\n return cx[0] + vx[0] + cx[1]\n if t < 4:\n return cx[0] + cx[1] + cx[2]\n if t < 5:\n return cx[0] + vx[0] + vx[1]\n if t < 6:\n return cx[0] + cx[1] + cx[-1]\n if t < 7:\n return s[0:3]\n if t < 8:\n return s[1:4]\n if t < 9:\n return s[2:5]\n if t < 10:\n return s[3:6]\n return None\n for t in six_xrange(11):\n try:\n a = _make_acro(s, t)\n if a is not None:\n if prefix:\n aps = prefix + a\n else:\n aps = a\n if aps not in past:\n past.add(aps)\n return a\n except IndexError:\n pass\n raise Exception('Could not get acronym.')\n", "role": "user" }, { "content": "make_acro", "role": "assistant" } ]
def x(path): import os f_dir = os.path.dirname(path) if not os.path.exists(f_dir): os.makedirs(f_dir) return f_dir
ensure_dir_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n import os\n f_dir = os.path.dirname(path)\n if not os.path.exists(f_dir):\n os.makedirs(f_dir)\n return f_dir\n", "role": "user" }, { "content": "ensure_dir_exists", "role": "assistant" } ]
def x(d): nested_keys = tuple(k for k in list(d.keys()) if isinstance(d[k], dict)) items = tuple((k, d[k]) for k in list(d.keys()) if k not in nested_keys) yield '/', [(k, d[k]) for k in nested_keys], items for k in nested_keys: for res in walk_dict(d[k]): res = '/%s' % k + res[0], res[1], res[2] yield res
walk_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n nested_keys = tuple(k for k in list(d.keys()) if isinstance(d[k], dict))\n items = tuple((k, d[k]) for k in list(d.keys()) if k not in nested_keys)\n yield '/', [(k, d[k]) for k in nested_keys], items\n for k in nested_keys:\n for res in walk_dict(d[k]):\n res = '/%s' % k + res[0], res[1], res[2]\n yield res\n", "role": "user" }, { "content": "walk_dict", "role": "assistant" } ]
def x(output_f, N=None, message='', print_rate=None): if print_rate and not N: N = 100 if not N: N = 5000 d = [0, time(), N, N, message, print_rate, deque([], maxlen=4)] assert isinstance(output_f, Callable) f = partial(_log_rate, output_f, d) f.always = output_f f.count = lambda : d[0] return f
init_log_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_f, N=None, message='', print_rate=None):\n if print_rate and not N:\n N = 100\n if not N:\n N = 5000\n d = [0, time(), N, N, message, print_rate, deque([], maxlen=4)]\n assert isinstance(output_f, Callable)\n f = partial(_log_rate, output_f, d)\n f.always = output_f\n f.count = lambda : d[0]\n return f\n", "role": "user" }, { "content": "init_log_rate", "role": "assistant" } ]
def x(output_f, d, message=None): if d[2] <= 0: if message is None: message = d[4] d[6].append(int(d[3] / (time() - d[1]))) rate = sum(d[6]) / len(d[6]) output_f(message + ': ' + str(rate) + '/s ' + str(d[0] / 1000) + 'K ') d[1] = time() if d[5]: target_rate = rate * d[5] d[3] = int((target_rate + d[3]) / 2) d[2] = d[3] d[0] += 1 d[2] -= 1
log_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_f, d, message=None):\n if d[2] <= 0:\n if message is None:\n message = d[4]\n d[6].append(int(d[3] / (time() - d[1])))\n rate = sum(d[6]) / len(d[6])\n output_f(message + ': ' + str(rate) + '/s ' + str(d[0] / 1000) + 'K ')\n d[1] = time()\n if d[5]:\n target_rate = rate * d[5]\n d[3] = int((target_rate + d[3]) / 2)\n d[2] = d[3]\n d[0] += 1\n d[2] -= 1\n", "role": "user" }, { "content": "log_rate", "role": "assistant" } ]
def x(): pid = os.getpid() procs = subprocess.check_output(['lsof', '-w', '-Ff', '-p', str(pid)]) nprocs = len([s for s in procs.split('\n') if s and s[0] == 'f' and s[1 :].isdigit()]) return nprocs
count_open_fds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n pid = os.getpid()\n procs = subprocess.check_output(['lsof', '-w', '-Ff', '-p', str(pid)])\n nprocs = len([s for s in procs.split('\\n') if s and s[0] == 'f' and s[1\n :].isdigit()])\n return nprocs\n", "role": "user" }, { "content": "count_open_fds", "role": "assistant" } ]
def x(url): p = urlparse(url) return {'scheme': p.scheme, 'netloc': p.netloc, 'path': p.path, 'params': p.params, 'query': p.query, 'fragment': p.fragment, 'username': p.username, 'password': p.password, 'hostname': p. hostname, 'port': p.port}
parse_url_to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n p = urlparse(url)\n return {'scheme': p.scheme, 'netloc': p.netloc, 'path': p.path,\n 'params': p.params, 'query': p.query, 'fragment': p.fragment,\n 'username': p.username, 'password': p.password, 'hostname': p.\n hostname, 'port': p.port}\n", "role": "user" }, { "content": "parse_url_to_dict", "role": "assistant" } ]
def x(url, **kwargs): d = parse_url_to_dict(url) d.update(kwargs) return unparse_url_dict(d)
set_url_part
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, **kwargs):\n d = parse_url_to_dict(url)\n d.update(kwargs)\n return unparse_url_dict(d)\n", "role": "user" }, { "content": "set_url_part", "role": "assistant" } ]
def x(url, **kwargs): d = parse_url_to_dict(url) d.update(kwargs) return unparse_url_dict({k: v for k, v in list(d.items()) if v})
filter_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, **kwargs):\n d = parse_url_to_dict(url)\n d.update(kwargs)\n return unparse_url_dict({k: v for k, v in list(d.items()) if v})\n", "role": "user" }, { "content": "filter_url", "role": "assistant" } ]
def x(o): print(yaml.dump(o, default_flow_style=False, indent=4, encoding='utf-8'))
print_yaml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o):\n print(yaml.dump(o, default_flow_style=False, indent=4, encoding='utf-8'))\n", "role": "user" }, { "content": "print_yaml", "role": "assistant" } ]
def x(o): module = o.__class__.__module__ if module is None or module == str.__class__.__module__: return o.__class__.__name__ return module + '.' + o.__class__.__name__
qualified_class_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o):\n module = o.__class__.__module__\n if module is None or module == str.__class__.__module__:\n return o.__class__.__name__\n return module + '.' + o.__class__.__name__\n", "role": "user" }, { "content": "qualified_class_name", "role": "assistant" } ]
def x(cls): module = cls.__module__ if module is None or module == str.__class__.__module__: return cls.__name__ return module + '.' + cls.__name__
qualified_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n module = cls.__module__\n if module is None or module == str.__class__.__module__:\n return cls.__name__\n return module + '.' + cls.__name__\n", "role": "user" }, { "content": "qualified_name", "role": "assistant" } ]
def x(cls): parts = qualified_name(cls).split('.') return 'from {} import {}'.format('.'.join(parts[:-1]), parts[-1])
qualified_name_import
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n parts = qualified_name(cls).split('.')\n return 'from {} import {}'.format('.'.join(parts[:-1]), parts[-1])\n", "role": "user" }, { "content": "qualified_name_import", "role": "assistant" } ]
def x(rows): return zip(*[col for col in zip(*rows) if bool(filter(bool, col[1:]))])
drop_empty
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rows):\n return zip(*[col for col in zip(*rows) if bool(filter(bool, col[1:]))])\n", "role": "user" }, { "content": "drop_empty", "role": "assistant" } ]
def x(s, granularity=3): intervals = ('weeks', 604800), ('days', 86400), ('hours', 3600), ('minutes' , 60), ('seconds', 1) def x(seconds, granularity=granularity): result = [] for name, count in intervals: value = seconds // count if value: seconds -= value * count if value == 1: name = name.rstrip('s') result.append('{} {}'.format(int(value), name)) return ', '.join(result[:granularity]) return display_time(s, granularity)
pretty_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, granularity=3):\n intervals = ('weeks', 604800), ('days', 86400), ('hours', 3600), ('minutes'\n , 60), ('seconds', 1)\n\n def x(seconds, granularity=granularity):\n result = []\n for name, count in intervals:\n value = seconds // count\n if value:\n seconds -= value * count\n if value == 1:\n name = name.rstrip('s')\n result.append('{} {}'.format(int(value), name))\n return ', '.join(result[:granularity])\n return display_time(s, granularity)\n", "role": "user" }, { "content": "pretty_time", "role": "assistant" } ]
def x(modname, paranoid=None): from sys import modules try: thismod = modules[modname] except KeyError: raise ValueError(modname) these_symbols = dir(thismod) if paranoid: try: paranoid[:] except: raise ValueError('must supply a finite list for paranoid') else: these_symbols = paranoid[:] del modules[modname] for mod in modules.values(): try: delattr(mod, modname) except AttributeError: pass if paranoid: for symbol in these_symbols: if symbol[:2] == '__': continue try: delattr(mod, symbol) except AttributeError: pass
delete_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(modname, paranoid=None):\n from sys import modules\n try:\n thismod = modules[modname]\n except KeyError:\n raise ValueError(modname)\n these_symbols = dir(thismod)\n if paranoid:\n try:\n paranoid[:]\n except:\n raise ValueError('must supply a finite list for paranoid')\n else:\n these_symbols = paranoid[:]\n del modules[modname]\n for mod in modules.values():\n try:\n delattr(mod, modname)\n except AttributeError:\n pass\n if paranoid:\n for symbol in these_symbols:\n if symbol[:2] == '__':\n continue\n try:\n delattr(mod, symbol)\n except AttributeError:\n pass\n", "role": "user" }, { "content": "delete_module", "role": "assistant" } ]
def x(cls, theclass): def x(name): def x(self, *args, **kw): return getattr(object.__getattribute__(self, '_obj'), name)(* args, **kw) return method namespace = {} for name in cls._special_names: if hasattr(theclass, name): namespace[name] = make_method(name) return type('%s(%s)' % (cls.__name__, theclass.__name__), (cls,), namespace )
create_class_proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, theclass):\n\n def x(name):\n\n def x(self, *args, **kw):\n return getattr(object.__getattribute__(self, '_obj'), name)(*\n args, **kw)\n return method\n namespace = {}\n for name in cls._special_names:\n if hasattr(theclass, name):\n namespace[name] = make_method(name)\n return type('%s(%s)' % (cls.__name__, theclass.__name__), (cls,), namespace\n )\n", "role": "user" }, { "content": "create_class_proxy", "role": "assistant" } ]