source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, display): if self.text != self._last_text: self._render() display.blit(self._surface, (self.topleft, self.size))
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, display):\n if self.text != self._last_text:\n self._render()\n display.blit(self._surface, (self.topleft, self.size))\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self): if self._cursor < 0: self.cursor = 0 if self._cursor > len(self): self.cursor = len(self) return self._cursor
cursor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._cursor < 0:\n self.cursor = 0\n if self._cursor > len(self):\n self.cursor = len(self)\n return self._cursor\n", "role": "user" }, { "content": "cursor", "role": "assistant" } ]
def x(self, letter=RIGHT): assert letter in (self.RIGHT, self.LEFT) if letter == self.RIGHT: self.cursor += 1 if self.cursor > len(self.text): self.cursor -= 1 else: self.cursor -= 1 if self.cursor < 0: self.cursor += 1
move_cursor_one_letter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, letter=RIGHT):\n assert letter in (self.RIGHT, self.LEFT)\n if letter == self.RIGHT:\n self.cursor += 1\n if self.cursor > len(self.text):\n self.cursor -= 1\n else:\n self.cursor -= 1\n if self.cursor < 0:\n self.cursor += 1\n", "role": "user" }, { "content": "move_cursor_one_letter", "role": "assistant" } ]
def x(self, word=LEFT): assert word in (self.RIGHT, self.LEFT) if word == self.RIGHT: papy = self.text.find(' ', self.cursor) + 1 if not papy: papy = len(self) self.cursor = papy else: papy = self.text.rfind(' ', 0, self.cursor) if papy == -1: papy = 0 self.cursor = papy
move_cursor_one_word
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, word=LEFT):\n assert word in (self.RIGHT, self.LEFT)\n if word == self.RIGHT:\n papy = self.text.find(' ', self.cursor) + 1\n if not papy:\n papy = len(self)\n self.cursor = papy\n else:\n papy = self.text.rfind(' ', 0, self.cursor)\n if papy == -1:\n papy = 0\n self.cursor = papy\n", "role": "user" }, { "content": "move_cursor_one_word", "role": "assistant" } ]
def x(self, letter=RIGHT): assert letter in (self.RIGHT, self.LEFT) if letter == self.LEFT: papy = self.cursor self.text = self.text[:self.cursor - 1] + self.text[self.cursor:] self.cursor = papy - 1 else: self.text = self.text[:self.cursor] + self.text[self.cursor + 1:]
delete_one_letter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, letter=RIGHT):\n assert letter in (self.RIGHT, self.LEFT)\n if letter == self.LEFT:\n papy = self.cursor\n self.text = self.text[:self.cursor - 1] + self.text[self.cursor:]\n self.cursor = papy - 1\n else:\n self.text = self.text[:self.cursor] + self.text[self.cursor + 1:]\n", "role": "user" }, { "content": "delete_one_letter", "role": "assistant" } ]
def x(self, word=RIGHT): assert word in (self.RIGHT, self.LEFT) if word == self.RIGHT: papy = self.text.find(' ', self.cursor) + 1 if not papy: papy = len(self.text) self.text = self.text[:self.cursor] + self.text[papy:] else: papy = self.text.rfind(' ', 0, self.cursor) if papy == -1: papy = 0 self.text = self.text[:papy] + self.text[self.cursor:] self.cursor = papy
delete_one_word
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, word=RIGHT):\n assert word in (self.RIGHT, self.LEFT)\n if word == self.RIGHT:\n papy = self.text.find(' ', self.cursor) + 1\n if not papy:\n papy = len(self.text)\n self.text = self.text[:self.cursor] + self.text[papy:]\n else:\n papy = self.text.rfind(' ', 0, self.cursor)\n if papy == -1:\n papy = 0\n self.text = self.text[:papy] + self.text[self.cursor:]\n self.cursor = papy\n", "role": "user" }, { "content": "delete_one_word", "role": "assistant" } ]
def x(self, letter): assert isinstance(letter, str) assert len(letter) == 1 self.text = self.text[:self.cursor] + letter + self.text[self.cursor:] self.cursor += 1
add_letter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, letter):\n assert isinstance(letter, str)\n assert len(letter) == 1\n self.text = self.text[:self.cursor] + letter + self.text[self.cursor:]\n self.cursor += 1\n", "role": "user" }, { "content": "add_letter", "role": "assistant" } ]
def x(self, event_or_list): event_or_list = super().update(event_or_list) for e in event_or_list: if e.type == KEYDOWN: if e.key == K_RIGHT: if e.mod * KMOD_CTRL: self.move_cursor_one_word(self.RIGHT) else: self.move_cursor_one_letter(self.RIGHT) elif e.key == K_LEFT: if e.mod * KMOD_CTRL: self.move_cursor_one_word(self.LEFT) else: self.move_cursor_one_letter(self.LEFT) elif e.key == K_BACKSPACE: if self.cursor == 0: continue if e.mod & KMOD_CTRL: self.delete_one_word(self.LEFT) else: self.delete_one_letter(self.LEFT) elif e.key == K_DELETE: if e.mod & KMOD_CTRL: self.delete_one_word(self.RIGHT) else: self.delete_one_letter(self.RIGHT) elif e.unicode != '' and e.unicode.isprintable(): self.add_letter(e.unicode)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event_or_list):\n event_or_list = super().update(event_or_list)\n for e in event_or_list:\n if e.type == KEYDOWN:\n if e.key == K_RIGHT:\n if e.mod * KMOD_CTRL:\n self.move_cursor_one_word(self.RIGHT)\n else:\n self.move_cursor_one_letter(self.RIGHT)\n elif e.key == K_LEFT:\n if e.mod * KMOD_CTRL:\n self.move_cursor_one_word(self.LEFT)\n else:\n self.move_cursor_one_letter(self.LEFT)\n elif e.key == K_BACKSPACE:\n if self.cursor == 0:\n continue\n if e.mod & KMOD_CTRL:\n self.delete_one_word(self.LEFT)\n else:\n self.delete_one_letter(self.LEFT)\n elif e.key == K_DELETE:\n if e.mod & KMOD_CTRL:\n self.delete_one_word(self.RIGHT)\n else:\n self.delete_one_letter(self.RIGHT)\n elif e.unicode != '' and e.unicode.isprintable():\n self.add_letter(e.unicode)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self): self._last_text = self.text self._surface = self.font.render(self.text, True, self.color, self.bg_color ) size = self.width, self._surface.get_height() self.size = size
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._last_text = self.text\n self._surface = self.font.render(self.text, True, self.color, self.bg_color\n )\n size = self.width, self._surface.get_height()\n self.size = size\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self): if len(self._shawn_text) == len(self): return self._shawn_text if self.style == self.DOTS: return chr(8226) * len(self) ranges = [(902, 1366), (192, 683), (33, 122)] s = '' while len(s) < len(self.text): apolo = randint(33, 1366) for a, b in ranges: if a <= apolo <= b: s += chr(apolo) break self._shawn_text = s return s
shawn_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if len(self._shawn_text) == len(self):\n return self._shawn_text\n if self.style == self.DOTS:\n return chr(8226) * len(self)\n ranges = [(902, 1366), (192, 683), (33, 122)]\n s = ''\n while len(s) < len(self.text):\n apolo = randint(33, 1366)\n for a, b in ranges:\n if a <= apolo <= b:\n s += chr(apolo)\n break\n self._shawn_text = s\n return s\n", "role": "user" }, { "content": "shawn_text", "role": "assistant" } ]
def x(self): if len(self) == 0: return self.left + self.default_text.get_width() papy = self._surface.get_width() if papy > self.w: shift = papy - self.width else: shift = 0 return self.left + self.font.size(self.shawn_text[:self.cursor])[0] - shift
cursor_pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if len(self) == 0:\n return self.left + self.default_text.get_width()\n papy = self._surface.get_width()\n if papy > self.w:\n shift = papy - self.width\n else:\n shift = 0\n return self.left + self.font.size(self.shawn_text[:self.cursor])[0] - shift\n", "role": "user" }, { "content": "cursor_pos", "role": "assistant" } ]
def x(self): self._last_text = self.shawn_text self._surface = self.font.render(self.shawn_text, True, self.color, self.bg_color) size = self.w, self._surface.get_height() self.size = size
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._last_text = self.shawn_text\n self._surface = self.font.render(self.shawn_text, True, self.color,\n self.bg_color)\n size = self.w, self._surface.get_height()\n self.size = size\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self, display): if self.shawn_text != self._last_text: self._render() if self.text: papy = self._surface.get_width() if papy <= self.width: display.blit(self._surface, (self.topleft, self.size)) else: display.blit(self._surface, (self.topleft, self.size), ((papy - self.w, 0), self.size)) else: display.blit(self.default_text, (self.topleft, self.size)) if self._focus: groom = self.cursor_pos() line(display, (groom, self.top), (groom, self.bottom), CONCRETE)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, display):\n if self.shawn_text != self._last_text:\n self._render()\n if self.text:\n papy = self._surface.get_width()\n if papy <= self.width:\n display.blit(self._surface, (self.topleft, self.size))\n else:\n display.blit(self._surface, (self.topleft, self.size), ((papy -\n self.w, 0), self.size))\n else:\n display.blit(self.default_text, (self.topleft, self.size))\n if self._focus:\n groom = self.cursor_pos()\n line(display, (groom, self.top), (groom, self.bottom), CONCRETE)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(tex): with tempfile.TemporaryDirectory() as tmpdirname: with open(tmpdirname + '\\tex.tex', 'w') as f: f.write(tex) os.system( 'latex {0}\\tex.tex -halt-on-error -interaction=batchmode -disable-installer -aux-directory={0} -output-directory={0}' .format(tmpdirname)) os.system( 'dvipng -T tight -z 9 --truecolor -o {0}\\tex.png {0}\\tex.dvi' .format(tmpdirname)) image = pygame.image.load(tmpdirname + '\\tex.png') return image
latex_to_img
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tex):\n with tempfile.TemporaryDirectory() as tmpdirname:\n with open(tmpdirname + '\\\\tex.tex', 'w') as f:\n f.write(tex)\n os.system(\n 'latex {0}\\\\tex.tex -halt-on-error -interaction=batchmode -disable-installer -aux-directory={0} -output-directory={0}'\n .format(tmpdirname))\n os.system(\n 'dvipng -T tight -z 9 --truecolor -o {0}\\\\tex.png {0}\\\\tex.dvi'\n .format(tmpdirname))\n image = pygame.image.load(tmpdirname + '\\\\tex.png')\n return image\n", "role": "user" }, { "content": "latex_to_img", "role": "assistant" } ]
def x(color1, color2, pos=0.5): opp_pos = 1 - pos red = color1[0] * pos + color2[0] * opp_pos green = color1[1] * pos + color2[1] * opp_pos blue = color1[2] * pos + color2[2] * opp_pos return int(red), int(green), int(blue)
mix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color1, color2, pos=0.5):\n opp_pos = 1 - pos\n red = color1[0] * pos + color2[0] * opp_pos\n green = color1[1] * pos + color2[1] * opp_pos\n blue = color1[2] * pos + color2[2] * opp_pos\n return int(red), int(green), int(blue)\n", "role": "user" }, { "content": "mix", "role": "assistant" } ]
def x(name): try: import colour except ImportError: raise ImportError('You need colour to be installed: pip install colour' ) c = colour.Color(name) color = int(c.red * 255), int(c.green * 255), int(c.blue * 255) return color
name2rgb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n try:\n import colour\n except ImportError:\n raise ImportError('You need colour to be installed: pip install colour'\n )\n c = colour.Color(name)\n color = int(c.red * 255), int(c.green * 255), int(c.blue * 255)\n return color\n", "role": "user" }, { "content": "name2rgb", "role": "assistant" } ]
def x(page): colors = get_config()['colors'] with io.open(page, encoding='utf-8') as f: lines = f.readlines() output_lines = [] for line in lines[1:]: if is_headline(line): continue elif is_description(line): output_lines.append(click.style(line.replace('>', ' '), fg= colors['description'])) elif is_old_usage(line): output_lines.append(click.style(line, fg=colors['usage'])) elif is_code_example(line): line = ' ' + line if line.startswith('`') else line[2:] output_lines.append(click.style(line.replace('`', ''), fg= colors['command'])) elif is_line_break(line): output_lines.append(click.style(line)) else: output_lines.append(click.style('- ' + line, fg=colors['usage'])) return output_lines
parse_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(page):\n colors = get_config()['colors']\n with io.open(page, encoding='utf-8') as f:\n lines = f.readlines()\n output_lines = []\n for line in lines[1:]:\n if is_headline(line):\n continue\n elif is_description(line):\n output_lines.append(click.style(line.replace('>', ' '), fg=\n colors['description']))\n elif is_old_usage(line):\n output_lines.append(click.style(line, fg=colors['usage']))\n elif is_code_example(line):\n line = ' ' + line if line.startswith('`') else line[2:]\n output_lines.append(click.style(line.replace('`', ''), fg=\n colors['command']))\n elif is_line_break(line):\n output_lines.append(click.style(line))\n else:\n output_lines.append(click.style('- ' + line, fg=colors['usage']))\n return output_lines\n", "role": "user" }, { "content": "parse_page", "role": "assistant" } ]
def x(level=logging.DEBUG): if level == logging.DEBUG: logging.basicConfig(level=logging.DEBUG, format= '%(asctime)s - %(levelname)s - %(message)s') return logging logger = logging.getLogger(__name__) logger.setLevel(level) formatter = logging.Formatter('%(asctime)s - %(levelname)s - %(message)s') ch = logging.StreamHandler() ch.setLevel(level) ch.setFormatter(formatter) logger.addHandler(ch) return logger
configure_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(level=logging.DEBUG):\n if level == logging.DEBUG:\n logging.basicConfig(level=logging.DEBUG, format=\n '%(asctime)s - %(levelname)s - %(message)s')\n return logging\n logger = logging.getLogger(__name__)\n logger.setLevel(level)\n formatter = logging.Formatter('%(asctime)s - %(levelname)s - %(message)s')\n ch = logging.StreamHandler()\n ch.setLevel(level)\n ch.setFormatter(formatter)\n logger.addHandler(ch)\n return logger\n", "role": "user" }, { "content": "configure_logging", "role": "assistant" } ]
def x(*args): args = (paramiko.py3compat.u(arg) for arg in args) return os.path.join(*args)
path_join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args):\n args = (paramiko.py3compat.u(arg) for arg in args)\n return os.path.join(*args)\n", "role": "user" }, { "content": "path_join", "role": "assistant" } ]
def x(remote_url): assert remote_url assert ':' in remote_url if '@' in remote_url: username, hostname = remote_url.rsplit('@', 1) else: username, hostname = None, remote_url hostname, remote_path = hostname.split(':', 1) password = None if username and ':' in username: username, password = username.split(':', 1) assert hostname assert remote_path return username, password, hostname, remote_path
parse_username_password_hostname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(remote_url):\n assert remote_url\n assert ':' in remote_url\n if '@' in remote_url:\n username, hostname = remote_url.rsplit('@', 1)\n else:\n username, hostname = None, remote_url\n hostname, remote_path = hostname.split(':', 1)\n password = None\n if username and ':' in username:\n username, password = username.split(':', 1)\n assert hostname\n assert remote_path\n return username, password, hostname, remote_path\n", "role": "user" }, { "content": "parse_username_password_hostname", "role": "assistant" } ]
def x(logger): agent, agent_keys = None, None try: agent = paramiko.agent.Agent() _agent_keys = agent.get_keys() if not _agent_keys: agent.close() logger.error( "SSH agent didn't provide any valid key. Trying to continue..." ) else: agent_keys = tuple(k for k in _agent_keys) except paramiko.SSHException: if agent: agent.close() agent = None logger.error('SSH agent speaks a non-compatible protocol. Ignoring it.' ) finally: return agent, agent_keys
get_ssh_agent_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(logger):\n agent, agent_keys = None, None\n try:\n agent = paramiko.agent.Agent()\n _agent_keys = agent.get_keys()\n if not _agent_keys:\n agent.close()\n logger.error(\n \"SSH agent didn't provide any valid key. Trying to continue...\"\n )\n else:\n agent_keys = tuple(k for k in _agent_keys)\n except paramiko.SSHException:\n if agent:\n agent.close()\n agent = None\n logger.error('SSH agent speaks a non-compatible protocol. Ignoring it.'\n )\n finally:\n return agent, agent_keys\n", "role": "user" }, { "content": "get_ssh_agent_keys", "role": "assistant" } ]
def x(): parser = argparse.ArgumentParser(description= 'Sync a local and a remote folder through SFTP.') parser.add_argument('path', type=str, metavar='local-path', help= 'the path of the local folder') parser.add_argument('remote', type=str, metavar= 'user[:password]@hostname:remote-path', help= "the ssh-url ([user[:password]@]hostname:remote-path) of the remote folder. The hostname can be specified as a ssh_config's hostname too. Every missing information will be gathered from there" ) parser.add_argument('-k', '--key', metavar='identity-path', action= 'append', help='private key identity path (defaults to ~/.ssh/id_rsa)') parser.add_argument('-l', '--logging', choices=['CRITICAL', 'ERROR', 'WARNING', 'INFO', 'DEBUG', 'NOTSET'], default='ERROR', help= 'set logging level') parser.add_argument('-p', '--port', default=22, type=int, help= 'SSH remote port (defaults to 22)') parser.add_argument('-f', '--fix-symlinks', action='store_true', help= 'fix symbolic links on remote side') parser.add_argument('-a', '--ssh-agent', action='store_true', help= 'enable ssh-agent support') parser.add_argument('-c', '--ssh-config', metavar='ssh_config path', default='~/.ssh/config', type=str, help= 'path to the ssh-configuration file (default to ~/.ssh/config)') parser.add_argument('-n', '--known-hosts', metavar='known_hosts path', default='~/.ssh/known_hosts', type=str, help= 'path to the openSSH known_hosts file') parser.add_argument('-d', '--disable-known-hosts', action='store_true', help='disable known_hosts fingerprint checking (security warning!)') parser.add_argument('-e', '--exclude-from', metavar= 'exclude-from-file-path', type=str, help= 'exclude files matching pattern in exclude-from-file-path') parser.add_argument('-t', '--do-not-delete', action='store_true', help= 'do not delete remote files missing from local folder') parser.add_argument('-o', '--allow-unknown', action='store_true', help= 'allow connection to unknown hosts') parser.add_argument('-r', '--create-remote-directory', action= 'store_true', help='Create remote base directory if missing on remote') return parser
create_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser(description=\n 'Sync a local and a remote folder through SFTP.')\n parser.add_argument('path', type=str, metavar='local-path', help=\n 'the path of the local folder')\n parser.add_argument('remote', type=str, metavar=\n 'user[:password]@hostname:remote-path', help=\n \"the ssh-url ([user[:password]@]hostname:remote-path) of the remote folder. The hostname can be specified as a ssh_config's hostname too. Every missing information will be gathered from there\"\n )\n parser.add_argument('-k', '--key', metavar='identity-path', action=\n 'append', help='private key identity path (defaults to ~/.ssh/id_rsa)')\n parser.add_argument('-l', '--logging', choices=['CRITICAL', 'ERROR',\n 'WARNING', 'INFO', 'DEBUG', 'NOTSET'], default='ERROR', help=\n 'set logging level')\n parser.add_argument('-p', '--port', default=22, type=int, help=\n 'SSH remote port (defaults to 22)')\n parser.add_argument('-f', '--fix-symlinks', action='store_true', help=\n 'fix symbolic links on remote side')\n parser.add_argument('-a', '--ssh-agent', action='store_true', help=\n 'enable ssh-agent support')\n parser.add_argument('-c', '--ssh-config', metavar='ssh_config path',\n default='~/.ssh/config', type=str, help=\n 'path to the ssh-configuration file (default to ~/.ssh/config)')\n parser.add_argument('-n', '--known-hosts', metavar='known_hosts path',\n default='~/.ssh/known_hosts', type=str, help=\n 'path to the openSSH known_hosts file')\n parser.add_argument('-d', '--disable-known-hosts', action='store_true',\n help='disable known_hosts fingerprint checking (security warning!)')\n parser.add_argument('-e', '--exclude-from', metavar=\n 'exclude-from-file-path', type=str, help=\n 'exclude files matching pattern in exclude-from-file-path')\n parser.add_argument('-t', '--do-not-delete', action='store_true', help=\n 'do not delete remote files missing from local folder')\n parser.add_argument('-o', '--allow-unknown', action='store_true', help=\n 'allow connection to unknown hosts')\n parser.add_argument('-r', '--create-remote-directory', action=\n 'store_true', help='Create remote base directory if missing on remote')\n return parser\n", "role": "user" }, { "content": "create_parser", "role": "assistant" } ]
def x(args=None): parser = create_parser() args = vars(parser.parse_args(args)) log_mapping = {'CRITICAL': logging.CRITICAL, 'ERROR': logging.ERROR, 'WARNING': logging.WARNING, 'INFO': logging.INFO, 'DEBUG': logging. DEBUG, 'NOTSET': logging.NOTSET} log_level = log_mapping[args['logging']] del args['logging'] global logger logger = configure_logging(log_level) args_mapping = {'path': 'local_path', 'remote': 'remote_url', 'ssh_config': 'ssh_config_path', 'exclude_from': 'exclude_file', 'known_hosts': 'known_hosts_path', 'do_not_delete': 'delete', 'key': 'identity_files'} kwargs = {args_mapping[k]: v for k, v in args.items() if v and k in args_mapping} kwargs.update({k: v for k, v in args.items() if v and k not in args_mapping}) if args['disable_known_hosts']: kwargs['known_hosts_path'] = None del kwargs['disable_known_hosts'] if 'delete' in kwargs: kwargs['delete'] = not kwargs['delete'] kwargs['identity_files'] = kwargs.get('identity_files', None) or [ '~/.ssh/id_rsa'] sync = SFTPClone(**kwargs) sync.run()
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args=None):\n parser = create_parser()\n args = vars(parser.parse_args(args))\n log_mapping = {'CRITICAL': logging.CRITICAL, 'ERROR': logging.ERROR,\n 'WARNING': logging.WARNING, 'INFO': logging.INFO, 'DEBUG': logging.\n DEBUG, 'NOTSET': logging.NOTSET}\n log_level = log_mapping[args['logging']]\n del args['logging']\n global logger\n logger = configure_logging(log_level)\n args_mapping = {'path': 'local_path', 'remote': 'remote_url',\n 'ssh_config': 'ssh_config_path', 'exclude_from': 'exclude_file',\n 'known_hosts': 'known_hosts_path', 'do_not_delete': 'delete', 'key':\n 'identity_files'}\n kwargs = {args_mapping[k]: v for k, v in args.items() if v and k in\n args_mapping}\n kwargs.update({k: v for k, v in args.items() if v and k not in\n args_mapping})\n if args['disable_known_hosts']:\n kwargs['known_hosts_path'] = None\n del kwargs['disable_known_hosts']\n if 'delete' in kwargs:\n kwargs['delete'] = not kwargs['delete']\n kwargs['identity_files'] = kwargs.get('identity_files', None) or [\n '~/.ssh/id_rsa']\n sync = SFTPClone(**kwargs)\n sync.run()\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(local_path, r_st): if not os.path.lexists(local_path): return True l_st = os.lstat(local_path) if S_IFMT(r_st.st_mode) != S_IFMT(l_st.st_mode): return True return False
must_be_deleted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(local_path, r_st):\n if not os.path.lexists(local_path):\n return True\n l_st = os.lstat(local_path)\n if S_IFMT(r_st.st_mode) != S_IFMT(l_st.st_mode):\n return True\n return False\n", "role": "user" }, { "content": "must_be_deleted", "role": "assistant" } ]
def x(self, remote_path, l_st): self.sftp.chmod(remote_path, S_IMODE(l_st.st_mode)) self.sftp.utime(remote_path, (l_st.st_atime, l_st.st_mtime)) if self.chown: self.sftp.chown(remote_path, l_st.st_uid, l_st.st_gid)
match_modes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, l_st):\n self.sftp.chmod(remote_path, S_IMODE(l_st.st_mode))\n self.sftp.utime(remote_path, (l_st.st_atime, l_st.st_mtime))\n if self.chown:\n self.sftp.chown(remote_path, l_st.st_uid, l_st.st_gid)\n", "role": "user" }, { "content": "match_modes", "role": "assistant" } ]
def x(self, local_path, remote_path, l_st): self.sftp.put(local_path, remote_path) self._match_modes(remote_path, l_st)
file_upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, local_path, remote_path, l_st):\n self.sftp.put(local_path, remote_path)\n self._match_modes(remote_path, l_st)\n", "role": "user" }, { "content": "file_upload", "role": "assistant" } ]
def x(self, remote_path, r_st): if S_ISDIR(r_st.st_mode): for item in self.sftp.listdir_attr(remote_path): full_path = path_join(remote_path, item.filename) self.remote_delete(full_path, item) self.sftp.rmdir(remote_path) else: try: self.sftp.remove(remote_path) except FileNotFoundError as e: self.logger.error('error while removing {}. trace: {}'.format( remote_path, e))
remote_delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, r_st):\n if S_ISDIR(r_st.st_mode):\n for item in self.sftp.listdir_attr(remote_path):\n full_path = path_join(remote_path, item.filename)\n self.remote_delete(full_path, item)\n self.sftp.rmdir(remote_path)\n else:\n try:\n self.sftp.remove(remote_path)\n except FileNotFoundError as e:\n self.logger.error('error while removing {}. trace: {}'.format(\n remote_path, e))\n", "role": "user" }, { "content": "remote_delete", "role": "assistant" } ]
def x(self, relative_path=None): if not relative_path: relative_path = str() remote_path = path_join(self.remote_path, relative_path) local_path = path_join(self.local_path, relative_path) for remote_st in self.sftp.listdir_attr(remote_path): r_lstat = self.sftp.lstat(path_join(remote_path, remote_st.filename)) inner_remote_path = path_join(remote_path, remote_st.filename) inner_local_path = path_join(local_path, remote_st.filename) if S_ISLNK(r_lstat.st_mode): if self._must_be_deleted(inner_local_path, r_lstat): self.remote_delete(inner_remote_path, r_lstat) continue if self._must_be_deleted(inner_local_path, remote_st): self.remote_delete(inner_remote_path, remote_st) elif S_ISDIR(remote_st.st_mode): self.check_for_deletion(path_join(relative_path, remote_st. filename))
check_for_deletion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, relative_path=None):\n if not relative_path:\n relative_path = str()\n remote_path = path_join(self.remote_path, relative_path)\n local_path = path_join(self.local_path, relative_path)\n for remote_st in self.sftp.listdir_attr(remote_path):\n r_lstat = self.sftp.lstat(path_join(remote_path, remote_st.filename))\n inner_remote_path = path_join(remote_path, remote_st.filename)\n inner_local_path = path_join(local_path, remote_st.filename)\n if S_ISLNK(r_lstat.st_mode):\n if self._must_be_deleted(inner_local_path, r_lstat):\n self.remote_delete(inner_remote_path, r_lstat)\n continue\n if self._must_be_deleted(inner_local_path, remote_st):\n self.remote_delete(inner_remote_path, remote_st)\n elif S_ISDIR(remote_st.st_mode):\n self.check_for_deletion(path_join(relative_path, remote_st.\n filename))\n", "role": "user" }, { "content": "check_for_deletion", "role": "assistant" } ]
def x(self, link_destination, remote_path): try: self.sftp.remove(remote_path) except IOError: pass finally: try: self.sftp.symlink(link_destination, remote_path) except OSError as e: self.logger.error('error while symlinking {} to {}: {}'.format( remote_path, link_destination, e))
create_update_symlink
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link_destination, remote_path):\n try:\n self.sftp.remove(remote_path)\n except IOError:\n pass\n finally:\n try:\n self.sftp.symlink(link_destination, remote_path)\n except OSError as e:\n self.logger.error('error while symlinking {} to {}: {}'.format(\n remote_path, link_destination, e))\n", "role": "user" }, { "content": "create_update_symlink", "role": "assistant" } ]
def x(self, relative_path, f): if not relative_path: relative_path = str() local_path = path_join(self.local_path, relative_path, f) try: l_st = os.lstat(local_path) except OSError as e: """A little background here. Sometimes, in big clusters configurations (mail, etc.), files could disappear or be moved, suddenly. There's nothing to do about it, system should be stopped before doing backups. Anyway, we log it, and skip it. """ self.logger.error('error while checking {}: {}'.format( relative_path, e)) return if local_path in self.exclude_list: self.logger.info('Skipping excluded file %s.', local_path) return remote_path = path_join(self.remote_path, relative_path, f) if S_ISDIR(l_st.st_mode): try: self.sftp.stat(remote_path) except IOError: self.sftp.mkdir(remote_path) self._match_modes(remote_path, l_st) self.check_for_upload_create(path_join(relative_path, f)) elif S_ISLNK(l_st.st_mode): local_link = os.readlink(local_path) absolute_local_link = os.path.realpath(local_link) is_absolute = local_link.startswith('/') trailing_local_path = path_join(self.local_path, '') relpath = os.path.commonprefix([absolute_local_link, trailing_local_path]) == trailing_local_path if relpath: relative_link = absolute_local_link[len(trailing_local_path):] else: relative_link = None """ # Refactor them all, be efficient! # Case A: absolute link pointing outside shared directory # (we can only update the remote part) if is_absolute and not relpath: self.create_update_symlink(local_link, remote_path) # Case B: absolute link pointing inside shared directory # (we can leave it as it is or fix the prefix to match the one of the remote server) elif is_absolute and relpath: if self.fix_symlinks: self.create_update_symlink( join( self.remote_path, relative_link, ), remote_path ) else: self.create_update_symlink(local_link, remote_path) # Case C: relative link pointing outside shared directory # (all we can do is try to make the link anyway) elif not is_absolute and not relpath: self.create_update_symlink(local_link, remote_path) # Case D: relative link pointing inside shared directory # (we preserve the relativity and link it!) elif not is_absolute and relpath: self.create_update_symlink(local_link, remote_path) """ if is_absolute and relpath: if self.fix_symlinks: self.create_update_symlink(path_join(self.remote_path, relative_link), remote_path) else: self.create_update_symlink(local_link, remote_path) elif S_ISREG(l_st.st_mode): try: r_st = self.sftp.lstat(remote_path) if self._file_need_upload(l_st, r_st): self.file_upload(local_path, remote_path, l_st) except IOError as e: if e.errno == errno.ENOENT: self.file_upload(local_path, remote_path, l_st) else: self.logger.warning('Skipping unsupported file %s.', local_path)
node_check_for_upload_create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, relative_path, f):\n if not relative_path:\n relative_path = str()\n local_path = path_join(self.local_path, relative_path, f)\n try:\n l_st = os.lstat(local_path)\n except OSError as e:\n \"\"\"A little background here.\n Sometimes, in big clusters configurations (mail, etc.),\n files could disappear or be moved, suddenly.\n There's nothing to do about it,\n system should be stopped before doing backups.\n Anyway, we log it, and skip it.\n \"\"\"\n self.logger.error('error while checking {}: {}'.format(\n relative_path, e))\n return\n if local_path in self.exclude_list:\n self.logger.info('Skipping excluded file %s.', local_path)\n return\n remote_path = path_join(self.remote_path, relative_path, f)\n if S_ISDIR(l_st.st_mode):\n try:\n self.sftp.stat(remote_path)\n except IOError:\n self.sftp.mkdir(remote_path)\n self._match_modes(remote_path, l_st)\n self.check_for_upload_create(path_join(relative_path, f))\n elif S_ISLNK(l_st.st_mode):\n local_link = os.readlink(local_path)\n absolute_local_link = os.path.realpath(local_link)\n is_absolute = local_link.startswith('/')\n trailing_local_path = path_join(self.local_path, '')\n relpath = os.path.commonprefix([absolute_local_link,\n trailing_local_path]) == trailing_local_path\n if relpath:\n relative_link = absolute_local_link[len(trailing_local_path):]\n else:\n relative_link = None\n \"\"\"\n # Refactor them all, be efficient!\n\n # Case A: absolute link pointing outside shared directory\n # (we can only update the remote part)\n if is_absolute and not relpath:\n self.create_update_symlink(local_link, remote_path)\n\n # Case B: absolute link pointing inside shared directory\n # (we can leave it as it is or fix the prefix to match the one of the remote server)\n elif is_absolute and relpath:\n if self.fix_symlinks:\n self.create_update_symlink(\n join(\n self.remote_path,\n relative_link,\n ),\n remote_path\n )\n else:\n self.create_update_symlink(local_link, remote_path)\n\n # Case C: relative link pointing outside shared directory\n # (all we can do is try to make the link anyway)\n elif not is_absolute and not relpath:\n self.create_update_symlink(local_link, remote_path)\n\n # Case D: relative link pointing inside shared directory\n # (we preserve the relativity and link it!)\n elif not is_absolute and relpath:\n self.create_update_symlink(local_link, remote_path)\n \"\"\"\n if is_absolute and relpath:\n if self.fix_symlinks:\n self.create_update_symlink(path_join(self.remote_path,\n relative_link), remote_path)\n else:\n self.create_update_symlink(local_link, remote_path)\n elif S_ISREG(l_st.st_mode):\n try:\n r_st = self.sftp.lstat(remote_path)\n if self._file_need_upload(l_st, r_st):\n self.file_upload(local_path, remote_path, l_st)\n except IOError as e:\n if e.errno == errno.ENOENT:\n self.file_upload(local_path, remote_path, l_st)\n else:\n self.logger.warning('Skipping unsupported file %s.', local_path)\n", "role": "user" }, { "content": "node_check_for_upload_create", "role": "assistant" } ]
def x(self, relative_path=None): for f in os.listdir(path_join(self.local_path, relative_path) if relative_path else self.local_path): self.node_check_for_upload_create(relative_path, f)
check_for_upload_create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, relative_path=None):\n for f in os.listdir(path_join(self.local_path, relative_path) if\n relative_path else self.local_path):\n self.node_check_for_upload_create(relative_path, f)\n", "role": "user" }, { "content": "check_for_upload_create", "role": "assistant" } ]
def x(self): try: self.sftp.stat(self.remote_path) except FileNotFoundError as e: if self.create_remote_directory: self.sftp.mkdir(self.remote_path) self.logger.info("Created missing remote dir: '" + self. remote_path + "'") else: self.logger.error( "Remote folder does not exists. Add '-r' to create it if missing." ) sys.exit(1) try: if self.delete: self.check_for_deletion() self.check_for_upload_create() except FileNotFoundError: self.logger.error( 'Error while opening remote folder. Are you sure it does exist?') sys.exit(1)
run
[ { "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 self.sftp.stat(self.remote_path)\n except FileNotFoundError as e:\n if self.create_remote_directory:\n self.sftp.mkdir(self.remote_path)\n self.logger.info(\"Created missing remote dir: '\" + self.\n remote_path + \"'\")\n else:\n self.logger.error(\n \"Remote folder does not exists. Add '-r' to create it if missing.\"\n )\n sys.exit(1)\n try:\n if self.delete:\n self.check_for_deletion()\n self.check_for_upload_create()\n except FileNotFoundError:\n self.logger.error(\n 'Error while opening remote folder. Are you sure it does exist?')\n sys.exit(1)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(start_path): s = u'\n' for root, dirs, files in os.walk(start_path): level = root.replace(start_path, '').count(os.sep) indent = ' ' * 4 * level s += u'{}{}/\n'.format(indent, os.path.basename(root)) sub_indent = ' ' * 4 * (level + 1) for f in files: s += u'{}{}\n'.format(sub_indent, f) return s
list_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_path):\n s = u'\\n'\n for root, dirs, files in os.walk(start_path):\n level = root.replace(start_path, '').count(os.sep)\n indent = ' ' * 4 * level\n s += u'{}{}/\\n'.format(indent, os.path.basename(root))\n sub_indent = ' ' * 4 * (level + 1)\n for f in files:\n s += u'{}{}\\n'.format(sub_indent, f)\n return s\n", "role": "user" }, { "content": "list_files", "role": "assistant" } ]
def x(start_path): nested_dirs = {} root_dir = start_path.rstrip(os.sep) start = root_dir.rfind(os.sep) + 1 for path, dirs, files in os.walk(root_dir): folders = path[start:].split(os.sep) subdir = dict.fromkeys(files) parent = reduce(dict.get, folders[:-1], nested_dirs) parent[folders[-1]] = subdir return nested_dirs
file_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_path):\n nested_dirs = {}\n root_dir = start_path.rstrip(os.sep)\n start = root_dir.rfind(os.sep) + 1\n for path, dirs, files in os.walk(root_dir):\n folders = path[start:].split(os.sep)\n subdir = dict.fromkeys(files)\n parent = reduce(dict.get, folders[:-1], nested_dirs)\n parent[folders[-1]] = subdir\n return nested_dirs\n", "role": "user" }, { "content": "file_tree", "role": "assistant" } ]
def x(): capture_out, capture_err = StringIO(), StringIO() current_out, current_err = sys.stdout, sys.stderr try: sys.stdout, sys.stderr = capture_out, capture_err yield capture_out, capture_err finally: sys.stdout, sys.stderr = current_out, current_err
capture_sys_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n capture_out, capture_err = StringIO(), StringIO()\n current_out, current_err = sys.stdout, sys.stderr\n try:\n sys.stdout, sys.stderr = capture_out, capture_err\n yield capture_out, capture_err\n finally:\n sys.stdout, sys.stderr = current_out, current_err\n", "role": "user" }, { "content": "capture_sys_output", "role": "assistant" } ]
def x(log_level=logging.CRITICAL): logging.disable(log_level) yield logging.disable(logging.NOTSET)
suppress_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log_level=logging.CRITICAL):\n logging.disable(log_level)\n yield\n logging.disable(logging.NOTSET)\n", "role": "user" }, { "content": "suppress_logging", "role": "assistant" } ]
def x(): env_vars = 'LOGNAME', 'USER', 'LNAME', 'USERNAME' old = [(os.environ[v] if v in os.environ else None) for v in env_vars] for v in env_vars: os.environ[v] = 'test' yield for i, v in enumerate(env_vars): if old[i]: os.environ[v] = old[i]
override_env_variables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n env_vars = 'LOGNAME', 'USER', 'LNAME', 'USERNAME'\n old = [(os.environ[v] if v in os.environ else None) for v in env_vars]\n for v in env_vars:\n os.environ[v] = 'test'\n yield\n for i, v in enumerate(env_vars):\n if old[i]:\n os.environ[v] = old[i]\n", "role": "user" }, { "content": "override_env_variables", "role": "assistant" } ]
def x(): ssh_auth_sock = 'SSH_AUTH_SOCK' old_ssh_auth_sock = os.environ.get(ssh_auth_sock) del os.environ[ssh_auth_sock] yield if old_ssh_auth_sock: os.environ[ssh_auth_sock] = old_ssh_auth_sock
override_ssh_auth_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n ssh_auth_sock = 'SSH_AUTH_SOCK'\n old_ssh_auth_sock = os.environ.get(ssh_auth_sock)\n del os.environ[ssh_auth_sock]\n yield\n if old_ssh_auth_sock:\n os.environ[ssh_auth_sock] = old_ssh_auth_sock\n", "role": "user" }, { "content": "override_ssh_auth_env", "role": "assistant" } ]
def x(): config_path = path.join(os.environ.get('TLDR_CONFIG_DIR') or path. expanduser('~'), '.tldrrc') if not path.exists(config_path): sys.exit( "Can't find config file at: {0}. You may use `tldr init` to init the config file." .format(config_path)) with io.open(config_path, encoding='utf-8') as f: try: config = yaml.safe_load(f) except yaml.scanner.ScannerError: sys.exit('The config file is not a valid YAML file.') supported_colors = ['black', 'red', 'green', 'yellow', 'blue', 'magenta', 'cyan', 'white'] if not set(config['colors'].values()).issubset(set(supported_colors)): sys.exit('Unsupported colors in config file: {0}.'.format(', '.join (set(config['colors'].values()) - set(supported_colors)))) if not path.exists(config['repo_directory']): sys.exit( "Can't find the tldr repo, check the `repo_directory` setting in config file." ) return config
get_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n config_path = path.join(os.environ.get('TLDR_CONFIG_DIR') or path.\n expanduser('~'), '.tldrrc')\n if not path.exists(config_path):\n sys.exit(\n \"Can't find config file at: {0}. You may use `tldr init` to init the config file.\"\n .format(config_path))\n with io.open(config_path, encoding='utf-8') as f:\n try:\n config = yaml.safe_load(f)\n except yaml.scanner.ScannerError:\n sys.exit('The config file is not a valid YAML file.')\n supported_colors = ['black', 'red', 'green', 'yellow', 'blue',\n 'magenta', 'cyan', 'white']\n if not set(config['colors'].values()).issubset(set(supported_colors)):\n sys.exit('Unsupported colors in config file: {0}.'.format(', '.join\n (set(config['colors'].values()) - set(supported_colors))))\n if not path.exists(config['repo_directory']):\n sys.exit(\n \"Can't find the tldr repo, check the `repo_directory` setting in config file.\"\n )\n return config\n", "role": "user" }, { "content": "get_config", "role": "assistant" } ]
def x(command, platform): page_path = find_page_location(command, platform) output_lines = parse_page(page_path) return output_lines
parse_man_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command, platform):\n page_path = find_page_location(command, platform)\n output_lines = parse_page(page_path)\n return output_lines\n", "role": "user" }, { "content": "parse_man_page", "role": "assistant" } ]
def x(command, specified_platform): repo_directory = get_config()['repo_directory'] default_platform = get_config()['platform'] command_platform = (specified_platform if specified_platform else default_platform) with io.open(path.join(repo_directory, 'pages/index.json'), encoding= 'utf-8') as f: index = json.load(f) command_list = [item['name'] for item in index['commands']] if command not in command_list: sys.exit( """Sorry, we don't support command: {0} right now. You can file an issue or send a PR on github: https://github.com/tldr-pages/tldr""" .format(command)) supported_platforms = index['commands'][command_list.index(command)][ 'platform'] if command_platform in supported_platforms: platform = command_platform elif 'common' in supported_platforms: platform = 'common' else: platform = '' if not platform: sys.exit( """Sorry, command {0} is not supported on your platform. You can file an issue or send a PR on github: https://github.com/tldr-pages/tldr""" .format(command)) page_path = path.join(path.join(repo_directory, 'pages'), path.join( platform, command + '.md')) return page_path
find_page_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command, specified_platform):\n repo_directory = get_config()['repo_directory']\n default_platform = get_config()['platform']\n command_platform = (specified_platform if specified_platform else\n default_platform)\n with io.open(path.join(repo_directory, 'pages/index.json'), encoding=\n 'utf-8') as f:\n index = json.load(f)\n command_list = [item['name'] for item in index['commands']]\n if command not in command_list:\n sys.exit(\n \"\"\"Sorry, we don't support command: {0} right now.\nYou can file an issue or send a PR on github:\n https://github.com/tldr-pages/tldr\"\"\"\n .format(command))\n supported_platforms = index['commands'][command_list.index(command)][\n 'platform']\n if command_platform in supported_platforms:\n platform = command_platform\n elif 'common' in supported_platforms:\n platform = 'common'\n else:\n platform = ''\n if not platform:\n sys.exit(\n \"\"\"Sorry, command {0} is not supported on your platform.\nYou can file an issue or send a PR on github:\n https://github.com/tldr-pages/tldr\"\"\"\n .format(command))\n page_path = path.join(path.join(repo_directory, 'pages'), path.join(\n platform, command + '.md'))\n return page_path\n", "role": "user" }, { "content": "find_page_location", "role": "assistant" } ]
def x(command, on): output_lines = parse_man_page(command, on) click.echo(''.join(output_lines))
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command, on):\n output_lines = parse_man_page(command, on)\n click.echo(''.join(output_lines))\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(): repo_directory = get_config()['repo_directory'] os.chdir(repo_directory) click.echo('Check for updates...') local = subprocess.check_output('git rev-parse master'.split()).strip() remote = subprocess.check_output( 'git ls-remote https://github.com/tldr-pages/tldr/ HEAD'.split() ).split()[0] if local != remote: click.echo('Updating...') subprocess.check_call('git checkout master'.split()) subprocess.check_call('git pull --rebase'.split()) build_index() click.echo('Update to the latest and rebuild the index.') else: click.echo('No need for updates.')
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n repo_directory = get_config()['repo_directory']\n os.chdir(repo_directory)\n click.echo('Check for updates...')\n local = subprocess.check_output('git rev-parse master'.split()).strip()\n remote = subprocess.check_output(\n 'git ls-remote https://github.com/tldr-pages/tldr/ HEAD'.split()\n ).split()[0]\n if local != remote:\n click.echo('Updating...')\n subprocess.check_call('git checkout master'.split())\n subprocess.check_call('git pull --rebase'.split())\n build_index()\n click.echo('Update to the latest and rebuild the index.')\n else:\n click.echo('No need for updates.')\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(): default_config_path = path.join(os.environ.get('TLDR_CONFIG_DIR') or path.expanduser('~'), '.tldrrc') if path.exists(default_config_path): click.echo( 'There is already a config file exists, skip initializing it.') else: repo_path = click.prompt('Input the tldr repo path(absolute path)') if not path.exists(repo_path): sys.exit('Repo path not exist, clone it first.') platform = click.prompt('Input your platform(linux, osx or sunos)') if platform not in ['linux', 'osx', 'sunos']: sys.exit('Platform should be in linux, osx or sunos.') colors = {'description': 'blue', 'usage': 'green', 'command': 'cyan'} config = {'repo_directory': repo_path, 'colors': colors, 'platform': platform} with open(default_config_path, 'w') as f: f.write(yaml.safe_dump(config, default_flow_style=False)) click.echo('Initializing the config file at {0}'.format( default_config_path))
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n default_config_path = path.join(os.environ.get('TLDR_CONFIG_DIR') or\n path.expanduser('~'), '.tldrrc')\n if path.exists(default_config_path):\n click.echo(\n 'There is already a config file exists, skip initializing it.')\n else:\n repo_path = click.prompt('Input the tldr repo path(absolute path)')\n if not path.exists(repo_path):\n sys.exit('Repo path not exist, clone it first.')\n platform = click.prompt('Input your platform(linux, osx or sunos)')\n if platform not in ['linux', 'osx', 'sunos']:\n sys.exit('Platform should be in linux, osx or sunos.')\n colors = {'description': 'blue', 'usage': 'green', 'command': 'cyan'}\n config = {'repo_directory': repo_path, 'colors': colors, 'platform':\n platform}\n with open(default_config_path, 'w') as f:\n f.write(yaml.safe_dump(config, default_flow_style=False))\n click.echo('Initializing the config file at {0}'.format(\n default_config_path))\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(command, on): location = find_page_location(command, on) click.echo(location)
locate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command, on):\n location = find_page_location(command, on)\n click.echo(location)\n", "role": "user" }, { "content": "locate", "role": "assistant" } ]
def x(cls, propname, *args, **kwargs): class_mapper(cls)._configure_property(propname, relationship(*args, ** kwargs))
relate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, propname, *args, **kwargs):\n class_mapper(cls)._configure_property(propname, relationship(*args, **\n kwargs))\n", "role": "user" }, { "content": "relate", "role": "assistant" } ]
def x(self, stmt, **params): return self.session.execute(sql.text(stmt, bind=self.bind), **params)
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt, **params):\n return self.session.execute(sql.text(stmt, bind=self.bind), **params)\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(self, attrname, tablename=None, selectable=None, schema=None, base= None, mapper_args=util.immutabledict()): if attrname in self._cache: raise SQLSoupError("Attribute '%s' is already mapped to '%s'" % ( attrname, class_mapper(self._cache[attrname]).mapped_table)) if tablename is not None: if not isinstance(tablename, basestring): raise ArgumentError("'tablename' argument must be a string.") if selectable is not None: raise ArgumentError( "'tablename' and 'selectable' arguments are mutually exclusive" ) selectable = Table(tablename, self._metadata, autoload=True, autoload_with=self.bind, schema=schema or self.schema) elif schema: raise ArgumentError( "'tablename' argument is required when using 'schema'.") elif selectable is not None: if not isinstance(selectable, expression.FromClause): raise ArgumentError( "'selectable' argument must be a table, select, join, or other selectable construct." ) else: raise ArgumentError("'tablename' or 'selectable' argument is required." ) if not selectable.primary_key.columns and not 'primary_key' in mapper_args: if tablename: raise SQLSoupError( "table '%s' does not have a primary key defined" % tablename) else: raise SQLSoupError( "selectable '%s' does not have a primary key defined" % selectable) mapped_cls = _class_for_table(self.session, self.engine, selectable, base or self.base, mapper_args) self._cache[attrname] = mapped_cls return mapped_cls
map_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attrname, tablename=None, selectable=None, schema=None, base=\n None, mapper_args=util.immutabledict()):\n if attrname in self._cache:\n raise SQLSoupError(\"Attribute '%s' is already mapped to '%s'\" % (\n attrname, class_mapper(self._cache[attrname]).mapped_table))\n if tablename is not None:\n if not isinstance(tablename, basestring):\n raise ArgumentError(\"'tablename' argument must be a string.\")\n if selectable is not None:\n raise ArgumentError(\n \"'tablename' and 'selectable' arguments are mutually exclusive\"\n )\n selectable = Table(tablename, self._metadata, autoload=True,\n autoload_with=self.bind, schema=schema or self.schema)\n elif schema:\n raise ArgumentError(\n \"'tablename' argument is required when using 'schema'.\")\n elif selectable is not None:\n if not isinstance(selectable, expression.FromClause):\n raise ArgumentError(\n \"'selectable' argument must be a table, select, join, or other selectable construct.\"\n )\n else:\n raise ArgumentError(\"'tablename' or 'selectable' argument is required.\"\n )\n if not selectable.primary_key.columns and not 'primary_key' in mapper_args:\n if tablename:\n raise SQLSoupError(\n \"table '%s' does not have a primary key defined\" % tablename)\n else:\n raise SQLSoupError(\n \"selectable '%s' does not have a primary key defined\" %\n selectable)\n mapped_cls = _class_for_table(self.session, self.engine, selectable, \n base or self.base, mapper_args)\n self._cache[attrname] = mapped_cls\n return mapped_cls\n", "role": "user" }, { "content": "map_to", "role": "assistant" } ]
def x(self, selectable, base=None, **mapper_args): return _class_for_table(self.session, self.engine, selectable, base or self.base, mapper_args)
map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, selectable, base=None, **mapper_args):\n return _class_for_table(self.session, self.engine, selectable, base or\n self.base, mapper_args)\n", "role": "user" }, { "content": "map", "role": "assistant" } ]
def x(self, selectable, base=None, **mapper_args): return self.map(expression._clause_element_as_expr(selectable).select( use_labels=True).alias('foo'), base=base, **mapper_args)
with_labels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, selectable, base=None, **mapper_args):\n return self.map(expression._clause_element_as_expr(selectable).select(\n use_labels=True).alias('foo'), base=base, **mapper_args)\n", "role": "user" }, { "content": "with_labels", "role": "assistant" } ]
def x(self, left, right, onclause=None, isouter=False, base=None, **mapper_args ): j = join(left, right, onclause=onclause, isouter=isouter) return self.map(j, base=base, **mapper_args)
join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, left, right, onclause=None, isouter=False, base=None, **mapper_args\n ):\n j = join(left, right, onclause=onclause, isouter=isouter)\n return self.map(j, base=base, **mapper_args)\n", "role": "user" }, { "content": "join", "role": "assistant" } ]
def x(f1, f2): if f1.end < f2.start: return f2.start - f1.end if f2.end < f1.start: return f1.start - f2.end return 0
distance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f1, f2):\n if f1.end < f2.start:\n return f2.start - f1.end\n if f2.end < f1.start:\n return f1.start - f2.end\n return 0\n", "role": "user" }, { "content": "distance", "role": "assistant" } ]
def x(self, start, end, chrom=None): intervals = self.intervals[chrom] ilen = len(intervals) if not chrom in self.max_len: return [] ileft = binsearch_left_start(intervals, start - self.max_len[chrom], 0, ilen) iright = binsearch_right_end(intervals, end, ileft, ilen) query = Feature(start, end) return [f for f in intervals[ileft:iright] if distance(f, query) == 0]
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start, end, chrom=None):\n intervals = self.intervals[chrom]\n ilen = len(intervals)\n if not chrom in self.max_len:\n return []\n ileft = binsearch_left_start(intervals, start - self.max_len[chrom], 0,\n ilen)\n iright = binsearch_right_end(intervals, end, ileft, ilen)\n query = Feature(start, end)\n return [f for f in intervals[ileft:iright] if distance(f, query) == 0]\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(self, f, n=1): intervals = self.intervals[f.chrom] if intervals == []: return [] iright = binsearch_left_start(intervals, f.start, 0, len(intervals)) + 1 ileft = binsearch_left_start(intervals, f.start - self.max_len[f.chrom] - 1, 0, 0) results = sorted((distance(other, f), other) for other in intervals[ ileft:iright] if other.end < f.start and distance(f, other) != 0) if len(results) == n: return [r[1] for r in results] for i in range(n, len(results)): if results[i - 1][0] != results[i][0]: return [r[1] for r in results[:i]] if ileft == 0: return [r[1] for r in results] 1 / 0
left
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f, n=1):\n intervals = self.intervals[f.chrom]\n if intervals == []:\n return []\n iright = binsearch_left_start(intervals, f.start, 0, len(intervals)) + 1\n ileft = binsearch_left_start(intervals, f.start - self.max_len[f.chrom] -\n 1, 0, 0)\n results = sorted((distance(other, f), other) for other in intervals[\n ileft:iright] if other.end < f.start and distance(f, other) != 0)\n if len(results) == n:\n return [r[1] for r in results]\n for i in range(n, len(results)):\n if results[i - 1][0] != results[i][0]:\n return [r[1] for r in results[:i]]\n if ileft == 0:\n return [r[1] for r in results]\n 1 / 0\n", "role": "user" }, { "content": "left", "role": "assistant" } ]
def x(self, f, n=1): intervals = self.intervals[f.chrom] ilen = len(intervals) iright = binsearch_right_end(intervals, f.end, 0, ilen) results = [] while iright < ilen: i = len(results) if i > n: if distance(f, results[i - 1]) != distance(f, results[i - 2]): return results[:i - 1] other = intervals[iright] iright += 1 if distance(other, f) == 0: continue results.append(other) return results
right
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f, n=1):\n intervals = self.intervals[f.chrom]\n ilen = len(intervals)\n iright = binsearch_right_end(intervals, f.end, 0, ilen)\n results = []\n while iright < ilen:\n i = len(results)\n if i > n:\n if distance(f, results[i - 1]) != distance(f, results[i - 2]):\n return results[:i - 1]\n other = intervals[iright]\n iright += 1\n if distance(other, f) == 0:\n continue\n results.append(other)\n return results\n", "role": "user" }, { "content": "right", "role": "assistant" } ]
def x(self, f, n=1): if f.strand == -1: return self.right(f, n) return self.left(f, n)
upstream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f, n=1):\n if f.strand == -1:\n return self.right(f, n)\n return self.left(f, n)\n", "role": "user" }, { "content": "upstream", "role": "assistant" } ]
def x(self, f, n=1): if f.strand == -1: return self.left(f, n) return self.right(f, n)
downstream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f, n=1):\n if f.strand == -1:\n return self.left(f, n)\n return self.right(f, n)\n", "role": "user" }, { "content": "downstream", "role": "assistant" } ]
def x(self, f_or_start, end=None, chrom=None, k=1): if end is not None: f = Feature(f_or_start, end, chrom=chrom) else: f = f_or_start DIST = 2000 feats = filter_feats(self.find(f.start - DIST, f.end + DIST, chrom=f. chrom), f, k) if len(feats) >= k: return feats nfeats = k - len(feats) fleft = Feature(f.start - DIST, f.start, chrom=f.chrom) feats.extend(self.left(fleft, n=nfeats)) fright = Feature(f.end, f.end + DIST, chrom=f.chrom) feats.extend(self.right(fright, n=nfeats)) return filter_feats(feats, f, k)
knearest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f_or_start, end=None, chrom=None, k=1):\n if end is not None:\n f = Feature(f_or_start, end, chrom=chrom)\n else:\n f = f_or_start\n DIST = 2000\n feats = filter_feats(self.find(f.start - DIST, f.end + DIST, chrom=f.\n chrom), f, k)\n if len(feats) >= k:\n return feats\n nfeats = k - len(feats)\n fleft = Feature(f.start - DIST, f.start, chrom=f.chrom)\n feats.extend(self.left(fleft, n=nfeats))\n fright = Feature(f.end, f.end + DIST, chrom=f.chrom)\n feats.extend(self.right(fright, n=nfeats))\n return filter_feats(feats, f, k)\n", "role": "user" }, { "content": "knearest", "role": "assistant" } ]
def x(self, start, end): if self.intervals and not end < self.intervals[0].start: overlapping = [i for i in self.intervals if i.end >= start and i. start <= end] else: overlapping = [] if self.left and start <= self.center: overlapping += self.left.find(start, end) if self.right and end >= self.center: overlapping += self.right.find(start, end) return overlapping
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start, end):\n if self.intervals and not end < self.intervals[0].start:\n overlapping = [i for i in self.intervals if i.end >= start and i.\n start <= end]\n else:\n overlapping = []\n if self.left and start <= self.center:\n overlapping += self.left.find(start, end)\n if self.right and end >= self.center:\n overlapping += self.right.find(start, end)\n return overlapping\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(db, chrom, start, end): url = 'http://genome.ucsc.edu/cgi-bin/das/%s' % db url += '/dna?segment=%s:%i,%i' xml = U.urlopen(url % (chrom, start, end)).read() return _seq_from_xml(xml)
sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, chrom, start, end):\n url = 'http://genome.ucsc.edu/cgi-bin/das/%s' % db\n url += '/dna?segment=%s:%i,%i'\n xml = U.urlopen(url % (chrom, start, end)).read()\n return _seq_from_xml(xml)\n", "role": "user" }, { "content": "sequence", "role": "assistant" } ]
def x(genome, table, table_name, connection_string, metadata): table = Table(table_name, genome._metadata, autoload=True, autoload_with=genome.bind, extend_existing=True) for i, idx in enumerate(table.indexes): idx.name = table_name + '.' + idx.name + '_ix' + str(i) cols = [] for i, col in enumerate(table.columns): if isinstance(col.type, (LONGBLOB, ENUM)): if 'sqlite' in connection_string: col.type = VARCHAR() elif 'postgres' in connection_string: if isinstance(col.type, ENUM): col.type = PG_ENUM(*col.type.enums, name=col.name, create_type=True) else: col.type = VARCHAR() elif str(col.type) == 'VARCHAR' and ('mysql' in connection_string or 'postgres' in connection_string): if col.type.length is None: col.type.length = 48 if col.name != 'description' else None if not 'mysql' in connection_string: if str(col.type).lower().startswith('set('): col.type = VARCHAR(15) cols.append(col) table = Table(table_name, genome._metadata, *cols, autoload_replace= True, extend_existing=True) return table
set_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(genome, table, table_name, connection_string, metadata):\n table = Table(table_name, genome._metadata, autoload=True,\n autoload_with=genome.bind, extend_existing=True)\n for i, idx in enumerate(table.indexes):\n idx.name = table_name + '.' + idx.name + '_ix' + str(i)\n cols = []\n for i, col in enumerate(table.columns):\n if isinstance(col.type, (LONGBLOB, ENUM)):\n if 'sqlite' in connection_string:\n col.type = VARCHAR()\n elif 'postgres' in connection_string:\n if isinstance(col.type, ENUM):\n col.type = PG_ENUM(*col.type.enums, name=col.name,\n create_type=True)\n else:\n col.type = VARCHAR()\n elif str(col.type) == 'VARCHAR' and ('mysql' in connection_string or\n 'postgres' in connection_string):\n if col.type.length is None:\n col.type.length = 48 if col.name != 'description' else None\n if not 'mysql' in connection_string:\n if str(col.type).lower().startswith('set('):\n col.type = VARCHAR(15)\n cols.append(col)\n table = Table(table_name, genome._metadata, *cols, autoload_replace=\n True, extend_existing=True)\n return table\n", "role": "user" }, { "content": "set_table", "role": "assistant" } ]
def x(self, db='', user='genome', host='genome-mysql.cse.ucsc.edu', password='', dialect='mysqldb'): if os.path.exists(db): db = 'sqlite:///' + db if self.db_regex.match(db): self.db = self.url = db self.dburl = db self.user = self.host = self.password = '' else: self.db = db if user == 'genome' and host != 'genome-mysql.cse.ucsc.edu': import getpass user = getpass.getuser() self.host = host self.user = user self.password = ':' + password if password else '' self.dburl = self.url.format(db=self.db, user=self.user, host=self. host, password=self.password, dialect=dialect)
create_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, db='', user='genome', host='genome-mysql.cse.ucsc.edu',\n password='', dialect='mysqldb'):\n if os.path.exists(db):\n db = 'sqlite:///' + db\n if self.db_regex.match(db):\n self.db = self.url = db\n self.dburl = db\n self.user = self.host = self.password = ''\n else:\n self.db = db\n if user == 'genome' and host != 'genome-mysql.cse.ucsc.edu':\n import getpass\n user = getpass.getuser()\n self.host = host\n self.user = user\n self.password = ':' + password if password else ''\n self.dburl = self.url.format(db=self.db, user=self.user, host=self.\n host, password=self.password, dialect=dialect)\n", "role": "user" }, { "content": "create_url", "role": "assistant" } ]
def x(self, tables, dest_url): from mirror import mirror return mirror(self, tables, dest_url)
mirror
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tables, dest_url):\n from mirror import mirror\n return mirror(self, tables, dest_url)\n", "role": "user" }, { "content": "mirror", "role": "assistant" } ]
def x(self, table): from pandas import DataFrame if isinstance(table, six.string_types): table = getattr(self, table) try: rec = table.first() except AttributeError: rec = table[0] if hasattr(table, 'all'): records = table.all() else: records = [tuple(t) for t in table] cols = [c.name for c in rec._table.columns] return DataFrame.from_records(records, columns=cols)
dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table):\n from pandas import DataFrame\n if isinstance(table, six.string_types):\n table = getattr(self, table)\n try:\n rec = table.first()\n except AttributeError:\n rec = table[0]\n if hasattr(table, 'all'):\n records = table.all()\n else:\n records = [tuple(t) for t in table]\n cols = [c.name for c in rec._table.columns]\n return DataFrame.from_records(records, columns=cols)\n", "role": "user" }, { "content": "dataframe", "role": "assistant" } ]
def x(self, fname, table=None, sep='\t', bins=False, indexes=None): convs = {'#chr': 'chrom', 'start': 'txStart', 'end': 'txEnd', 'chr': 'chrom', 'pos': 'start', 'POS': 'start', 'chromStart': 'txStart', 'chromEnd': 'txEnd'} if table is None: import os.path as op table = op.basename(op.splitext(fname)[0]).replace('.', '_') print('writing to:', table, file=sys.stderr) from pandas.io import sql import pandas as pa from toolshed import nopen needs_name = False for i, chunk in enumerate(pa.read_csv(nopen(fname), iterator=True, chunksize=100000, sep=sep, encoding='latin-1')): chunk.columns = [convs.get(k, k) for k in chunk.columns] if not 'name' in chunk.columns: needs_name = True chunk['name'] = chunk.get('chrom', chunk[chunk.columns[0]]) if bins: chunk['bin'] = 1 if i == 0 and not table in self.tables: flavor = self.url.split(':')[0] schema = sql.get_schema(chunk, table, flavor) print(schema) self.engine.execute(schema) elif i == 0: print >> sys.stderr, 'adding to existing table, you may want to drop first' tbl = getattr(self, table)._table cols = chunk.columns data = list(dict(zip(cols, x)) for x in chunk.values) if needs_name: for d in data: d['name'] = '%s:%s' % (d.get('chrom'), d.get('txStart', d. get('chromStart'))) if bins: for d in data: d['bin'] = max(Genome.bins(int(d['txStart']), int(d['txEnd']))) self.engine.execute(tbl.insert(), data) self.session.commit() if i > 0: print >> sys.stderr, 'writing row:', i * 100000 if 'txStart' in chunk.columns: if 'chrom' in chunk.columns: ssql = ( 'CREATE INDEX "%s.chrom_txStart" ON "%s" (chrom, txStart)' % (table, table)) else: ssql = 'CREATE INDEX "%s.txStart" ON "%s" (txStart)' % (table, table) self.engine.execute(ssql) for index in (indexes or []): ssql = 'CREATE INDEX "%s.%s" ON "%s" (%s)' % (table, index, table, index) self.engine.execute(ssql) if bins: ssql = 'CREATE INDEX "%s.chrom_bin" ON "%s" (chrom, bin)' % (table, table) self.engine.execute(ssql) self.session.commit()
load_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fname, table=None, sep='\\t', bins=False, indexes=None):\n convs = {'#chr': 'chrom', 'start': 'txStart', 'end': 'txEnd', 'chr':\n 'chrom', 'pos': 'start', 'POS': 'start', 'chromStart': 'txStart',\n 'chromEnd': 'txEnd'}\n if table is None:\n import os.path as op\n table = op.basename(op.splitext(fname)[0]).replace('.', '_')\n print('writing to:', table, file=sys.stderr)\n from pandas.io import sql\n import pandas as pa\n from toolshed import nopen\n needs_name = False\n for i, chunk in enumerate(pa.read_csv(nopen(fname), iterator=True,\n chunksize=100000, sep=sep, encoding='latin-1')):\n chunk.columns = [convs.get(k, k) for k in chunk.columns]\n if not 'name' in chunk.columns:\n needs_name = True\n chunk['name'] = chunk.get('chrom', chunk[chunk.columns[0]])\n if bins:\n chunk['bin'] = 1\n if i == 0 and not table in self.tables:\n flavor = self.url.split(':')[0]\n schema = sql.get_schema(chunk, table, flavor)\n print(schema)\n self.engine.execute(schema)\n elif i == 0:\n print >> sys.stderr, 'adding to existing table, you may want to drop first'\n tbl = getattr(self, table)._table\n cols = chunk.columns\n data = list(dict(zip(cols, x)) for x in chunk.values)\n if needs_name:\n for d in data:\n d['name'] = '%s:%s' % (d.get('chrom'), d.get('txStart', d.\n get('chromStart')))\n if bins:\n for d in data:\n d['bin'] = max(Genome.bins(int(d['txStart']), int(d['txEnd'])))\n self.engine.execute(tbl.insert(), data)\n self.session.commit()\n if i > 0:\n print >> sys.stderr, 'writing row:', i * 100000\n if 'txStart' in chunk.columns:\n if 'chrom' in chunk.columns:\n ssql = (\n 'CREATE INDEX \"%s.chrom_txStart\" ON \"%s\" (chrom, txStart)' %\n (table, table))\n else:\n ssql = 'CREATE INDEX \"%s.txStart\" ON \"%s\" (txStart)' % (table,\n table)\n self.engine.execute(ssql)\n for index in (indexes or []):\n ssql = 'CREATE INDEX \"%s.%s\" ON \"%s\" (%s)' % (table, index, table,\n index)\n self.engine.execute(ssql)\n if bins:\n ssql = 'CREATE INDEX \"%s.chrom_bin\" ON \"%s\" (chrom, bin)' % (table,\n table)\n self.engine.execute(ssql)\n self.session.commit()\n", "role": "user" }, { "content": "load_file", "role": "assistant" } ]
def x(refseq_list, annot=('SP_PIR_KEYWORDS', 'GOTERM_BP_FAT', 'GOTERM_CC_FAT', 'GOTERM_MF_FAT')): URL = ( 'http://david.abcc.ncifcrf.gov/api.jsp?type=REFSEQ_MRNA&ids=%s&tool=term2term&annot=' ) import webbrowser webbrowser.open(URL % ','.join(set(refseq_list)) + ','.join(annot))
david_go
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(refseq_list, annot=('SP_PIR_KEYWORDS', 'GOTERM_BP_FAT',\n 'GOTERM_CC_FAT', 'GOTERM_MF_FAT')):\n URL = (\n 'http://david.abcc.ncifcrf.gov/api.jsp?type=REFSEQ_MRNA&ids=%s&tool=term2term&annot='\n )\n import webbrowser\n webbrowser.open(URL % ','.join(set(refseq_list)) + ','.join(annot))\n", "role": "user" }, { "content": "david_go", "role": "assistant" } ]
def x(self, table, chrom, start, end): if isinstance(table, six.string_types): table = getattr(self, table) try: tbl = table._table except AttributeError: tbl = table.column_descriptions[0]['type']._table q = table.filter(tbl.c.chrom == chrom) if hasattr(tbl.c, 'bin'): bins = Genome.bins(start, end) if len(bins) < 100: q = q.filter(tbl.c.bin.in_(bins)) if hasattr(tbl.c, 'txStart'): return q.filter(tbl.c.txStart <= end).filter(tbl.c.txEnd >= start) return q.filter(tbl.c.chromStart <= end).filter(tbl.c.chromEnd >= start)
bin_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, chrom, start, end):\n if isinstance(table, six.string_types):\n table = getattr(self, table)\n try:\n tbl = table._table\n except AttributeError:\n tbl = table.column_descriptions[0]['type']._table\n q = table.filter(tbl.c.chrom == chrom)\n if hasattr(tbl.c, 'bin'):\n bins = Genome.bins(start, end)\n if len(bins) < 100:\n q = q.filter(tbl.c.bin.in_(bins))\n if hasattr(tbl.c, 'txStart'):\n return q.filter(tbl.c.txStart <= end).filter(tbl.c.txEnd >= start)\n return q.filter(tbl.c.chromStart <= end).filter(tbl.c.chromEnd >= start)\n", "role": "user" }, { "content": "bin_query", "role": "assistant" } ]
def x(self, table, chrom_or_feat, start=None, end=None, k=1): res = self.knearest(table, chrom_or_feat, start, end, k, 'up') end = getattr(chrom_or_feat, 'end', end) start = getattr(chrom_or_feat, 'start', start) rev = getattr(chrom_or_feat, 'strand', '+') == '-' if rev: return [x for x in res if x.end > start] else: return [x for x in res if x.start < end]
upstream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, chrom_or_feat, start=None, end=None, k=1):\n res = self.knearest(table, chrom_or_feat, start, end, k, 'up')\n end = getattr(chrom_or_feat, 'end', end)\n start = getattr(chrom_or_feat, 'start', start)\n rev = getattr(chrom_or_feat, 'strand', '+') == '-'\n if rev:\n return [x for x in res if x.end > start]\n else:\n return [x for x in res if x.start < end]\n", "role": "user" }, { "content": "upstream", "role": "assistant" } ]
def x(self, table, chrom_or_feat, start=None, end=None, k=1, _direction=None): assert _direction in (None, 'up', 'down') if start is None: assert end is None chrom, start, end = (chrom_or_feat.chrom, chrom_or_feat.start, chrom_or_feat.end) if _direction in ('up', 'down') and getattr(chrom_or_feat, 'strand', None) == '-': _direction = 'up' if _direction == 'down' else 'up' else: chrom = chrom_or_feat qstart, qend = long(start), long(end) res = self.bin_query(table, chrom, qstart, qend) i, change = 1, 350 try: while res.count() < k: if _direction in (None, 'up'): if qstart == 0 and _direction == 'up': break qstart = max(0, qstart - change) if _direction in (None, 'down'): qend += change i += 1 change *= i + 5 res = self.bin_query(table, chrom, qstart, qend) except BigException: return [] def x(f): d = 0 if start > f.end: d = start - f.end elif f.start > end: d = f.start - end return d dists = sorted([(dist(f), f) for f in res]) if len(dists) == 0: return [] dists, res = zip(*dists) if len(res) == k: return res if k > len(res): if k == 0: return [] k = len(res) ndist = dists[k - 1] while k < len(res) and dists[k] == ndist: k = k + 1 return res[:k]
knearest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, chrom_or_feat, start=None, end=None, k=1, _direction=None):\n assert _direction in (None, 'up', 'down')\n if start is None:\n assert end is None\n chrom, start, end = (chrom_or_feat.chrom, chrom_or_feat.start,\n chrom_or_feat.end)\n if _direction in ('up', 'down') and getattr(chrom_or_feat, 'strand',\n None) == '-':\n _direction = 'up' if _direction == 'down' else 'up'\n else:\n chrom = chrom_or_feat\n qstart, qend = long(start), long(end)\n res = self.bin_query(table, chrom, qstart, qend)\n i, change = 1, 350\n try:\n while res.count() < k:\n if _direction in (None, 'up'):\n if qstart == 0 and _direction == 'up':\n break\n qstart = max(0, qstart - change)\n if _direction in (None, 'down'):\n qend += change\n i += 1\n change *= i + 5\n res = self.bin_query(table, chrom, qstart, qend)\n except BigException:\n return []\n\n def x(f):\n d = 0\n if start > f.end:\n d = start - f.end\n elif f.start > end:\n d = f.start - end\n return d\n dists = sorted([(dist(f), f) for f in res])\n if len(dists) == 0:\n return []\n dists, res = zip(*dists)\n if len(res) == k:\n return res\n if k > len(res):\n if k == 0:\n return []\n k = len(res)\n ndist = dists[k - 1]\n while k < len(res) and dists[k] == ndist:\n k = k + 1\n return res[:k]\n", "role": "user" }, { "content": "knearest", "role": "assistant" } ]
def x(self, fname, tables, feature_strand=False, in_memory=False, header= None, out=sys.stdout, parallel=False): from .annotate import annotate return annotate(self, fname, tables, feature_strand, in_memory, header= header, out=out, parallel=parallel)
annotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fname, tables, feature_strand=False, in_memory=False, header=\n None, out=sys.stdout, parallel=False):\n from .annotate import annotate\n return annotate(self, fname, tables, feature_strand, in_memory, header=\n header, out=out, parallel=parallel)\n", "role": "user" }, { "content": "annotate", "role": "assistant" } ]
def x(start, end): if end - start < 536870912: offsets = [585, 73, 9, 1] else: raise BigException offsets = [4681, 585, 73, 9, 1] binFirstShift = 17 binNextShift = 3 start = start >> binFirstShift end = end - 1 >> binFirstShift bins = [1] for offset in offsets: bins.extend(range(offset + start, offset + end + 1)) start >>= binNextShift end >>= binNextShift return frozenset(bins)
bins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, end):\n if end - start < 536870912:\n offsets = [585, 73, 9, 1]\n else:\n raise BigException\n offsets = [4681, 585, 73, 9, 1]\n binFirstShift = 17\n binNextShift = 3\n start = start >> binFirstShift\n end = end - 1 >> binFirstShift\n bins = [1]\n for offset in offsets:\n bins.extend(range(offset + start, offset + end + 1))\n start >>= binNextShift\n end >>= binNextShift\n return frozenset(bins)\n", "role": "user" }, { "content": "bins", "role": "assistant" } ]
def x(cls, query, filename=sys.stdout): out = _open(filename, 'w') for o in query: out.write(o.bed() + '\n')
save_bed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, query, filename=sys.stdout):\n out = _open(filename, 'w')\n for o in query:\n out.write(o.bed() + '\\n')\n", "role": "user" }, { "content": "save_bed", "role": "assistant" } ]
def x(parser, token, optimize_if_possible=False): args = token.split_contents() tag = args[0] if len(args) == 4 and args[-2] == 'as': context_name = args[-1] args = args[:-2] else: context_name = None filename = parser.compile_filter(args[1]) return StaticFileNode(filename, symlink_if_possible=_CAN_SYMLINK, optimize_if_possible=optimize_if_possible, context_name=context_name)
staticfile_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parser, token, optimize_if_possible=False):\n args = token.split_contents()\n tag = args[0]\n if len(args) == 4 and args[-2] == 'as':\n context_name = args[-1]\n args = args[:-2]\n else:\n context_name = None\n filename = parser.compile_filter(args[1])\n return StaticFileNode(filename, symlink_if_possible=_CAN_SYMLINK,\n optimize_if_possible=optimize_if_possible, context_name=context_name)\n", "role": "user" }, { "content": "staticfile_node", "role": "assistant" } ]
def x(newdir): if os.path.isdir(newdir): pass elif os.path.isfile(newdir): raise OSError( "a file with the same name as the desired dir, '%s', already exists." % newdir) else: head, tail = os.path.split(newdir) if head and not os.path.isdir(head): _mkdir(head) if tail: os.mkdir(newdir)
mkdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(newdir):\n if os.path.isdir(newdir):\n pass\n elif os.path.isfile(newdir):\n raise OSError(\n \"a file with the same name as the desired dir, '%s', already exists.\"\n % newdir)\n else:\n head, tail = os.path.split(newdir)\n if head and not os.path.isdir(head):\n _mkdir(head)\n if tail:\n os.mkdir(newdir)\n", "role": "user" }, { "content": "mkdir", "role": "assistant" } ]
def x(filename): for root in settings.DJANGO_STATIC_MEDIA_ROOTS: filepath = _filename2filepath(filename, root) if os.path.isfile(filepath): return filepath, root if settings.DEBUG: try: from django.contrib.staticfiles import finders absolute_path = finders.find(filename) if absolute_path: root, filepath = os.path.split(absolute_path) return absolute_path, root except ImportError: pass return None, None
find_filepath_in_roots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n for root in settings.DJANGO_STATIC_MEDIA_ROOTS:\n filepath = _filename2filepath(filename, root)\n if os.path.isfile(filepath):\n return filepath, root\n if settings.DEBUG:\n try:\n from django.contrib.staticfiles import finders\n absolute_path = finders.find(filename)\n if absolute_path:\n root, filepath = os.path.split(absolute_path)\n return absolute_path, root\n except ImportError:\n pass\n return None, None\n", "role": "user" }, { "content": "find_filepath_in_roots", "role": "assistant" } ]
def x(filenames, max_length=40): path = None names = [] extension = None timestamps = [] for filename in filenames: name = os.path.basename(filename) if not extension: extension = os.path.splitext(name)[1] elif os.path.splitext(name)[1] != extension: raise ValueError("Can't combine multiple file extensions") for each in re.finditer('\\.\\d{10}\\.', name): timestamps.append(int(each.group().replace('.', ''))) name = name.replace(each.group(), '.') name = os.path.splitext(name)[0] names.append(name) if path is None: path = os.path.dirname(filename) elif len(os.path.dirname(filename)) < len(path): path = os.path.dirname(filename) new_filename = '_'.join(names) if timestamps: new_filename += '.%s' % max(timestamps) new_filename = new_filename[:max_length] new_filename += extension return os.path.join(path, new_filename)
default_combine_filenames_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filenames, max_length=40):\n path = None\n names = []\n extension = None\n timestamps = []\n for filename in filenames:\n name = os.path.basename(filename)\n if not extension:\n extension = os.path.splitext(name)[1]\n elif os.path.splitext(name)[1] != extension:\n raise ValueError(\"Can't combine multiple file extensions\")\n for each in re.finditer('\\\\.\\\\d{10}\\\\.', name):\n timestamps.append(int(each.group().replace('.', '')))\n name = name.replace(each.group(), '.')\n name = os.path.splitext(name)[0]\n names.append(name)\n if path is None:\n path = os.path.dirname(filename)\n elif len(os.path.dirname(filename)) < len(path):\n path = os.path.dirname(filename)\n new_filename = '_'.join(names)\n if timestamps:\n new_filename += '.%s' % max(timestamps)\n new_filename = new_filename[:max_length]\n new_filename += extension\n return os.path.join(path, new_filename)\n", "role": "user" }, { "content": "default_combine_filenames_generator", "role": "assistant" } ]
def x(self, context): code = self.nodelist.render(context) if not settings.DJANGO_STATIC: if settings.DJANGO_STATIC_MEDIA_URL_ALWAYS: for match in STYLES_REGEX.finditer(code): for filename in match.groups(): code = code.replace(filename, settings. DJANGO_STATIC_MEDIA_URL + filename) for match in SCRIPTS_REGEX.finditer(code): for filename in match.groups(): code = code.replace(filename, settings. DJANGO_STATIC_MEDIA_URL + filename) return code return code new_js_filenames = [] for match in SCRIPTS_REGEX.finditer(code): whole_tag = match.group() async_defer = ASYNC_DEFER_REGEX.search(whole_tag) for filename in match.groups(): optimize_if_possible = self.optimize_if_possible if optimize_if_possible and (filename.endswith('.min.js') or filename.endswith('.minified.js')): optimize_if_possible = False new_js_filenames.append(filename) code = code.replace(whole_tag, '') if new_js_filenames: new_js_filename = _static_file(new_js_filenames, optimize_if_possible=optimize_if_possible, symlink_if_possible= self.symlink_if_possible) else: new_js_filename = None new_image_filenames = [] def x(match): tag = match.group() for filename in match.groups(): new_filename = _static_file(filename, symlink_if_possible=self. symlink_if_possible) if new_filename != filename: tag = tag.replace(filename, new_filename) return tag code = IMG_REGEX.sub(image_replacer, code) new_css_filenames = defaultdict(list) media_regex = re.compile('media=["\']([^"\']+)["\']') for match in STYLES_REGEX.finditer(code): whole_tag = match.group() try: media_type = media_regex.findall(whole_tag)[0] except IndexError: media_type = '' for filename in match.groups(): new_css_filenames[media_type].append(filename) code = code.replace(whole_tag, '') new_css_filenames_combined = {} if new_css_filenames: for media_type, filenames in new_css_filenames.items(): r = _static_file(filenames, optimize_if_possible=self. optimize_if_possible, symlink_if_possible=self. symlink_if_possible) new_css_filenames_combined[media_type] = r if new_js_filename: if async_defer: new_tag = '<script %s src="%s"></script>' % (async_defer.group( 0), new_js_filename) else: new_tag = '<script src="%s"></script>' % new_js_filename code = '%s%s' % (new_tag, code) for media_type, new_css_filename in new_css_filenames_combined.items(): extra_params = '' if media_type: extra_params += ' media="%s"' % media_type new_tag = '<link rel="stylesheet"%s href="%s"/>' % (extra_params, new_css_filename) code = '%s%s' % (new_tag, code) return code
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n code = self.nodelist.render(context)\n if not settings.DJANGO_STATIC:\n if settings.DJANGO_STATIC_MEDIA_URL_ALWAYS:\n for match in STYLES_REGEX.finditer(code):\n for filename in match.groups():\n code = code.replace(filename, settings.\n DJANGO_STATIC_MEDIA_URL + filename)\n for match in SCRIPTS_REGEX.finditer(code):\n for filename in match.groups():\n code = code.replace(filename, settings.\n DJANGO_STATIC_MEDIA_URL + filename)\n return code\n return code\n new_js_filenames = []\n for match in SCRIPTS_REGEX.finditer(code):\n whole_tag = match.group()\n async_defer = ASYNC_DEFER_REGEX.search(whole_tag)\n for filename in match.groups():\n optimize_if_possible = self.optimize_if_possible\n if optimize_if_possible and (filename.endswith('.min.js') or\n filename.endswith('.minified.js')):\n optimize_if_possible = False\n new_js_filenames.append(filename)\n code = code.replace(whole_tag, '')\n if new_js_filenames:\n new_js_filename = _static_file(new_js_filenames,\n optimize_if_possible=optimize_if_possible, symlink_if_possible=\n self.symlink_if_possible)\n else:\n new_js_filename = None\n new_image_filenames = []\n\n def x(match):\n tag = match.group()\n for filename in match.groups():\n new_filename = _static_file(filename, symlink_if_possible=self.\n symlink_if_possible)\n if new_filename != filename:\n tag = tag.replace(filename, new_filename)\n return tag\n code = IMG_REGEX.sub(image_replacer, code)\n new_css_filenames = defaultdict(list)\n media_regex = re.compile('media=[\"\\']([^\"\\']+)[\"\\']')\n for match in STYLES_REGEX.finditer(code):\n whole_tag = match.group()\n try:\n media_type = media_regex.findall(whole_tag)[0]\n except IndexError:\n media_type = ''\n for filename in match.groups():\n new_css_filenames[media_type].append(filename)\n code = code.replace(whole_tag, '')\n new_css_filenames_combined = {}\n if new_css_filenames:\n for media_type, filenames in new_css_filenames.items():\n r = _static_file(filenames, optimize_if_possible=self.\n optimize_if_possible, symlink_if_possible=self.\n symlink_if_possible)\n new_css_filenames_combined[media_type] = r\n if new_js_filename:\n if async_defer:\n new_tag = '<script %s src=\"%s\"></script>' % (async_defer.group(\n 0), new_js_filename)\n else:\n new_tag = '<script src=\"%s\"></script>' % new_js_filename\n code = '%s%s' % (new_tag, code)\n for media_type, new_css_filename in new_css_filenames_combined.items():\n extra_params = ''\n if media_type:\n extra_params += ' media=\"%s\"' % media_type\n new_tag = '<link rel=\"stylesheet\"%s href=\"%s\"/>' % (extra_params,\n new_css_filename)\n code = '%s%s' % (new_tag, code)\n return code\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self, other): if self.chrom != other.chrom: return False if self.start >= other.end: return False if other.start >= self.end: return False return True
overlaps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if self.chrom != other.chrom:\n return False\n if self.start >= other.end:\n return False\n if other.start >= self.end:\n return False\n return True\n", "role": "user" }, { "content": "overlaps", "role": "assistant" } ]
def x(self, other): if self.chrom != other.chrom: return None if getattr(other, 'strand', None) == '+': return self.end <= other.start return self.start >= other.end
is_upstream_of
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if self.chrom != other.chrom:\n return None\n if getattr(other, 'strand', None) == '+':\n return self.end <= other.start\n return self.start >= other.end\n", "role": "user" }, { "content": "is_upstream_of", "role": "assistant" } ]
def x(self, other_or_start=None, end=None, features=False): if end is None: assert other_or_start.chrom == self.chrom other_start, other_end = get_start_end(other_or_start, end) if other_start > self.end: return other_start - self.end if self.start > other_end: return self.start - other_end return 0
distance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other_or_start=None, end=None, features=False):\n if end is None:\n assert other_or_start.chrom == self.chrom\n other_start, other_end = get_start_end(other_or_start, end)\n if other_start > self.end:\n return other_start - self.end\n if self.start > other_end:\n return self.start - other_end\n return 0\n", "role": "user" }, { "content": "distance", "role": "assistant" } ]
def x(self): if not self.is_gene_pred: return [] if hasattr(self, 'exonStarts'): try: starts = (long(s) for s in self.exonStarts[:-1].split(',')) ends = (long(s) for s in self.exonEnds[:-1].split(',')) except TypeError: starts = (long(s) for s in self.exonStarts[:-1].decode().split(',') ) ends = (long(s) for s in self.exonEnds[:-1].decode().split(',')) else: starts = [(self.start + long(s)) for s in self.chromStarts[:-1]. decode().split(',')] ends = [(starts[i] + long(size)) for i, size in enumerate(self. blockSizes[:-1].decode().split(','))] return zip(starts, ends)
exons
[ { "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.is_gene_pred:\n return []\n if hasattr(self, 'exonStarts'):\n try:\n starts = (long(s) for s in self.exonStarts[:-1].split(','))\n ends = (long(s) for s in self.exonEnds[:-1].split(','))\n except TypeError:\n starts = (long(s) for s in self.exonStarts[:-1].decode().split(',')\n )\n ends = (long(s) for s in self.exonEnds[:-1].decode().split(','))\n else:\n starts = [(self.start + long(s)) for s in self.chromStarts[:-1].\n decode().split(',')]\n ends = [(starts[i] + long(size)) for i, size in enumerate(self.\n blockSizes[:-1].decode().split(','))]\n return zip(starts, ends)\n", "role": "user" }, { "content": "exons", "role": "assistant" } ]
def x(self): nm, strand = self.gene_name, self.strand feats = [(self.chrom, self.start, self.end, nm, strand, 'gene')] for feat in ('introns', 'exons', 'utr5', 'utr3', 'cdss'): fname = feat[:-1] if feat[-1] == 's' else feat res = getattr(self, feat) if res is None or all(r is None for r in res): continue if not isinstance(res, list): res = [res] feats.extend((self.chrom, s, e, nm, strand, fname) for s, e in res) tss = self.tss(down=1) if tss is not None: feats.append((self.chrom, tss[0], tss[1], nm, strand, 'tss')) prom = self.promoter() feats.append((self.chrom, prom[0], prom[1], nm, strand, 'promoter')) return sorted(feats, key=itemgetter(1))
gene_features
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n nm, strand = self.gene_name, self.strand\n feats = [(self.chrom, self.start, self.end, nm, strand, 'gene')]\n for feat in ('introns', 'exons', 'utr5', 'utr3', 'cdss'):\n fname = feat[:-1] if feat[-1] == 's' else feat\n res = getattr(self, feat)\n if res is None or all(r is None for r in res):\n continue\n if not isinstance(res, list):\n res = [res]\n feats.extend((self.chrom, s, e, nm, strand, fname) for s, e in res)\n tss = self.tss(down=1)\n if tss is not None:\n feats.append((self.chrom, tss[0], tss[1], nm, strand, 'tss'))\n prom = self.promoter()\n feats.append((self.chrom, prom[0], prom[1], nm, strand, 'promoter'))\n return sorted(feats, key=itemgetter(1))\n", "role": "user" }, { "content": "gene_features", "role": "assistant" } ]
def x(self, up=0, down=0): if not self.is_gene_pred: return None tss = self.txEnd if self.strand == '-' else self.txStart start, end = tss, tss if self.strand == '+': start -= up end += down else: start += up end -= down start, end = end, start return max(0, start), max(end, start, 0)
tss
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, up=0, down=0):\n if not self.is_gene_pred:\n return None\n tss = self.txEnd if self.strand == '-' else self.txStart\n start, end = tss, tss\n if self.strand == '+':\n start -= up\n end += down\n else:\n start += up\n end -= down\n start, end = end, start\n return max(0, start), max(end, start, 0)\n", "role": "user" }, { "content": "tss", "role": "assistant" } ]
def x(self, up=2000, down=0): if not self.is_gene_pred: return None return self.tss(up=up, down=down)
promoter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, up=2000, down=0):\n if not self.is_gene_pred:\n return None\n return self.tss(up=up, down=down)\n", "role": "user" }, { "content": "promoter", "role": "assistant" } ]
def x(self): starts = (long(s) for s in self.exonStarts[:-1].split(',')) ends = (long(s) for s in self.exonEnds[:-1].split(',')) return [(s, e) for s, e in zip(starts, ends) if e > self.cdsStart and s < self.cdsEnd]
coding_exons
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n starts = (long(s) for s in self.exonStarts[:-1].split(','))\n ends = (long(s) for s in self.exonEnds[:-1].split(','))\n return [(s, e) for s, e in zip(starts, ends) if e > self.cdsStart and s <\n self.cdsEnd]\n", "role": "user" }, { "content": "coding_exons", "role": "assistant" } ]
def x(self): ces = self.coding_exons if len(ces) < 1: return ces ces[0] = self.cdsStart, ces[0][1] ces[-1] = ces[-1][0], self.cdsEnd assert all(s < e for s, e in ces) return ces
cds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ces = self.coding_exons\n if len(ces) < 1:\n return ces\n ces[0] = self.cdsStart, ces[0][1]\n ces[-1] = ces[-1][0], self.cdsEnd\n assert all(s < e for s, e in ces)\n return ces\n", "role": "user" }, { "content": "cds", "role": "assistant" } ]
def x(self, other): if self.chrom != other.chrom: return None if getattr(other, 'strand', None) == '-': return self.end <= other.start return self.start >= other.end
is_downstream_of
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if self.chrom != other.chrom:\n return None\n if getattr(other, 'strand', None) == '-':\n return self.end <= other.start\n return self.start >= other.end\n", "role": "user" }, { "content": "is_downstream_of", "role": "assistant" } ]
def x(self, other_start, other_end): if other_start <= self.start and other_end >= self.end: return ['gene' if self.cdsStart != self.cdsEnd else 'nc_gene'] other = Interval(other_start, other_end) ovls = [] tx = 'txEnd' if self.strand == '-' else 'txStart' if hasattr(self, tx) and other_start <= getattr(self, tx ) <= other_end and self.cdsStart != self.cdsEnd: ovls = ['TSS'] for ftype in ('introns', 'exons', 'utr5', 'utr3', 'cdss'): feats = getattr(self, ftype) if not isinstance(feats, list): feats = [feats] if any(Interval(f[0], f[1]).overlaps(other) for f in feats): ovls.append(ftype[:-1] if ftype[-1] == 's' else ftype) if 'cds' in ovls: ovls = [ft for ft in ovls if ft != 'exon'] if self.cdsStart == self.cdsEnd: ovls = [('nc_' + ft) for ft in ovls] return ovls
features
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other_start, other_end):\n if other_start <= self.start and other_end >= self.end:\n return ['gene' if self.cdsStart != self.cdsEnd else 'nc_gene']\n other = Interval(other_start, other_end)\n ovls = []\n tx = 'txEnd' if self.strand == '-' else 'txStart'\n if hasattr(self, tx) and other_start <= getattr(self, tx\n ) <= other_end and self.cdsStart != self.cdsEnd:\n ovls = ['TSS']\n for ftype in ('introns', 'exons', 'utr5', 'utr3', 'cdss'):\n feats = getattr(self, ftype)\n if not isinstance(feats, list):\n feats = [feats]\n if any(Interval(f[0], f[1]).overlaps(other) for f in feats):\n ovls.append(ftype[:-1] if ftype[-1] == 's' else ftype)\n if 'cds' in ovls:\n ovls = [ft for ft in ovls if ft != 'exon']\n if self.cdsStart == self.cdsEnd:\n ovls = [('nc_' + ft) for ft in ovls]\n return ovls\n", "role": "user" }, { "content": "features", "role": "assistant" } ]
def x(self, distance): if getattr(self, 'strand', None) == '+': e = self.start s = e - distance else: s = self.end e = s + distance return self._xstream(s, e)
upstream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, distance):\n if getattr(self, 'strand', None) == '+':\n e = self.start\n s = e - distance\n else:\n s = self.end\n e = s + distance\n return self._xstream(s, e)\n", "role": "user" }, { "content": "upstream", "role": "assistant" } ]
def x(self): if not self.is_coding or len(self.exons) < 2: return None, None if self.strand == '+': s, e = self.txStart, self.cdsStart else: s, e = self.cdsEnd, self.txEnd if s == e: return None, None return s, e
utr5
[ { "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.is_coding or len(self.exons) < 2:\n return None, None\n if self.strand == '+':\n s, e = self.txStart, self.cdsStart\n else:\n s, e = self.cdsEnd, self.txEnd\n if s == e:\n return None, None\n return s, e\n", "role": "user" }, { "content": "utr5", "role": "assistant" } ]
def x(self, per_exon=False): db = self.db if not per_exon: start = self.txStart + 1 return _sequence(db, self.chrom, start, self.txEnd) else: seqs = [] for start, end in self.exons: seqs.append(_sequence(db, self.chrom, start + 1, end)) return seqs
sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, per_exon=False):\n db = self.db\n if not per_exon:\n start = self.txStart + 1\n return _sequence(db, self.chrom, start, self.txEnd)\n else:\n seqs = []\n for start, end in self.exons:\n seqs.append(_sequence(db, self.chrom, start + 1, end))\n return seqs\n", "role": "user" }, { "content": "sequence", "role": "assistant" } ]
def x(self, db='nr', megablast=True, sequence=None): import requests requests.defaults.max_retries = 4 assert sequence in (None, 'cds', 'mrna') seq = self.sequence() if sequence is None else ''.join(self. cds_sequence if sequence == 'cds' else self.mrna_sequence) r = requests.post('http://blast.ncbi.nlm.nih.gov/Blast.cgi', timeout=20, data=dict(PROGRAM='blastn', DESCRIPTIONS=100, ALIGNMENTS=0, FILTER= 'L', CMD='Put', MEGABLAST=True, DATABASE=db, QUERY='>%s\n%s' % ( self.name, seq))) if not ('RID =' in r.text and 'RTOE' in r.text): print('no results', file=sys.stderr) raise StopIteration rid = r.text.split('RID = ')[1].split('\n')[0] import time time.sleep(4) print('checking...', file=sys.stderr) r = requests.post('http://blast.ncbi.nlm.nih.gov/Blast.cgi', data=dict( RID=rid, format='Text', DESCRIPTIONS=100, DATABASE=db, CMD='Get')) while 'Status=WAITING' in r.text: print('checking...', file=sys.stderr) time.sleep(10) r = requests.post('http://blast.ncbi.nlm.nih.gov/Blast.cgi', data= dict(RID=rid, format='Text', CMD='Get')) for rec in _ncbi_parse(r.text): yield rec
ncbi_blast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, db='nr', megablast=True, sequence=None):\n import requests\n requests.defaults.max_retries = 4\n assert sequence in (None, 'cds', 'mrna')\n seq = self.sequence() if sequence is None else ''.join(self.\n cds_sequence if sequence == 'cds' else self.mrna_sequence)\n r = requests.post('http://blast.ncbi.nlm.nih.gov/Blast.cgi', timeout=20,\n data=dict(PROGRAM='blastn', DESCRIPTIONS=100, ALIGNMENTS=0, FILTER=\n 'L', CMD='Put', MEGABLAST=True, DATABASE=db, QUERY='>%s\\n%s' % (\n self.name, seq)))\n if not ('RID =' in r.text and 'RTOE' in r.text):\n print('no results', file=sys.stderr)\n raise StopIteration\n rid = r.text.split('RID = ')[1].split('\\n')[0]\n import time\n time.sleep(4)\n print('checking...', file=sys.stderr)\n r = requests.post('http://blast.ncbi.nlm.nih.gov/Blast.cgi', data=dict(\n RID=rid, format='Text', DESCRIPTIONS=100, DATABASE=db, CMD='Get'))\n while 'Status=WAITING' in r.text:\n print('checking...', file=sys.stderr)\n time.sleep(10)\n r = requests.post('http://blast.ncbi.nlm.nih.gov/Blast.cgi', data=\n dict(RID=rid, format='Text', CMD='Get'))\n for rec in _ncbi_parse(r.text):\n yield rec\n", "role": "user" }, { "content": "ncbi_blast", "role": "assistant" } ]
def x(self, db=None, sequence=None, seq_type='DNA'): from .blat_blast import blat, blat_all assert sequence in (None, 'cds', 'mrna') seq = self.sequence() if sequence is None else ''.join(self. cds_sequence if sequence == 'cds' else self.mrna_sequence) if isinstance(db, (tuple, list)): return blat_all(seq, self.gene_name, db, seq_type) else: return blat(seq, self.gene_name, db or self.db, seq_type)
blat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, db=None, sequence=None, seq_type='DNA'):\n from .blat_blast import blat, blat_all\n assert sequence in (None, 'cds', 'mrna')\n seq = self.sequence() if sequence is None else ''.join(self.\n cds_sequence if sequence == 'cds' else self.mrna_sequence)\n if isinstance(db, (tuple, list)):\n return blat_all(seq, self.gene_name, db, seq_type)\n else:\n return blat(seq, self.gene_name, db or self.db, seq_type)\n", "role": "user" }, { "content": "blat", "role": "assistant" } ]
def x(self, *attrs, **kwargs): exclude = ('chrom', 'start', 'end', 'txStart', 'txEnd', 'chromStart', 'chromEnd') if self.is_gene_pred: return self.bed12(**kwargs) return '\t'.join(map(str, [self.chrom, self.start, self.end] + [getattr (self, attr) for attr in attrs if not attr in exclude]))
bed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *attrs, **kwargs):\n exclude = ('chrom', 'start', 'end', 'txStart', 'txEnd', 'chromStart',\n 'chromEnd')\n if self.is_gene_pred:\n return self.bed12(**kwargs)\n return '\\t'.join(map(str, [self.chrom, self.start, self.end] + [getattr\n (self, attr) for attr in attrs if not attr in exclude]))\n", "role": "user" }, { "content": "bed", "role": "assistant" } ]
def x(self, score='0', rgb='.'): if not self.is_gene_pred: raise CruzException("can't create bed12 from non genepred feature") exons = list(self.exons) sizes = ','.join([str(e[1] - e[0]) for e in exons]) + ',' starts = ','.join([str(e[0] - self.txStart) for e in exons]) + ',' name = self.name2 + ',' + self.name if hasattr(self, 'name2' ) else self.name return '\t'.join(map(str, (self.chrom, self.txStart, self.txEnd, name, score, self.strand, self.cdsStart, self.cdsEnd, rgb, len(exons), sizes, starts)))
bed12
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, score='0', rgb='.'):\n if not self.is_gene_pred:\n raise CruzException(\"can't create bed12 from non genepred feature\")\n exons = list(self.exons)\n sizes = ','.join([str(e[1] - e[0]) for e in exons]) + ','\n starts = ','.join([str(e[0] - self.txStart) for e in exons]) + ','\n name = self.name2 + ',' + self.name if hasattr(self, 'name2'\n ) else self.name\n return '\\t'.join(map(str, (self.chrom, self.txStart, self.txEnd, name,\n score, self.strand, self.cdsStart, self.cdsEnd, rgb, len(exons),\n sizes, starts)))\n", "role": "user" }, { "content": "bed12", "role": "assistant" } ]
def x(self, *positions, **kwargs): cdna = kwargs.get('cdna', False) start, end = (self.cdsStart, self.cdsEnd) if cdna else (self.start, self.end) introns = self.introns or None if cdna: if not self.is_coding: return [None] * len(positions) if len(positions) > 1 else None introns = self._introns(self.cds) or None if introns is None: local_ps = [(p - start if start <= p < end else None) for p in positions] return local_ps[0] if len(positions) == 1 else local_ps introns = [(s - start, e - start) for s, e in introns] positions = [(p - start) for p in positions] local_ps = [] l = end - start for original_p in positions: subtract = 0 p = original_p print(p, l, file=sys.stderr) if p < 0 or p >= l: local_ps.append(None) continue for s, e in introns: if s <= p <= e: subtract = None break elif p >= e: subtract += e - s local_ps.append(p - subtract if subtract is not None else None) assert all(p is None or p >= 0 for p in local_ps), local_ps return local_ps[0] if len(positions) == 1 else local_ps
localize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *positions, **kwargs):\n cdna = kwargs.get('cdna', False)\n start, end = (self.cdsStart, self.cdsEnd) if cdna else (self.start,\n self.end)\n introns = self.introns or None\n if cdna:\n if not self.is_coding:\n return [None] * len(positions) if len(positions) > 1 else None\n introns = self._introns(self.cds) or None\n if introns is None:\n local_ps = [(p - start if start <= p < end else None) for p in\n positions]\n return local_ps[0] if len(positions) == 1 else local_ps\n introns = [(s - start, e - start) for s, e in introns]\n positions = [(p - start) for p in positions]\n local_ps = []\n l = end - start\n for original_p in positions:\n subtract = 0\n p = original_p\n print(p, l, file=sys.stderr)\n if p < 0 or p >= l:\n local_ps.append(None)\n continue\n for s, e in introns:\n if s <= p <= e:\n subtract = None\n break\n elif p >= e:\n subtract += e - s\n local_ps.append(p - subtract if subtract is not None else None)\n assert all(p is None or p >= 0 for p in local_ps), local_ps\n return local_ps[0] if len(positions) == 1 else local_ps\n", "role": "user" }, { "content": "localize", "role": "assistant" } ]
def x(self, other_or_start=None, end=None, features='unused', shore_dist=3000): if end is None: assert other_or_start.chrom == self.chrom other_start, other_end = get_start_end(other_or_start, end) dist = 0 if other_start > self.end: dist = other_start - self.end elif self.start > other_end: dist = self.start - other_end assert dist >= 0 if dist > 0: dist = dist, 'shore' if abs(dist) <= shore_dist else '' else: dist = 0, 'island' return dist
distance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other_or_start=None, end=None, features='unused', shore_dist=3000):\n if end is None:\n assert other_or_start.chrom == self.chrom\n other_start, other_end = get_start_end(other_or_start, end)\n dist = 0\n if other_start > self.end:\n dist = other_start - self.end\n elif self.start > other_end:\n dist = self.start - other_end\n assert dist >= 0\n if dist > 0:\n dist = dist, 'shore' if abs(dist) <= shore_dist else ''\n else:\n dist = 0, 'island'\n return dist\n", "role": "user" }, { "content": "distance", "role": "assistant" } ]
def x(g, fname, tables, feature_strand=False, in_memory=False, header=None, out=sys.stdout, _chrom=None, parallel=False): close = False if isinstance(out, basestring): out = nopen(out, 'w') close = True if parallel: import multiprocessing import signal p = multiprocessing.Pool(initializer=lambda : signal.signal(signal. SIGINT, signal.SIG_IGN)) chroms = _split_chroms(fname) def x(fanno, written=[False]): for i, d in enumerate(reader(fanno, header='ordered')): if i == 0 and written[0] == False: print >> out, '\t'.join(d.keys()) written[0] = True print >> out, '\t'.join(x if x else 'NA' for x in d.values()) os.unlink(fanno) os.unlink(fanno.replace('.anno', '')) for fchrom, (fout, fanno) in chroms: p.apply_async(annotate, args=(g.db, fout.name, tables, feature_strand, True, header, fanno, fchrom), callback= write_result) p.close() p.join() return out.name if isinstance(g, basestring): from . import Genome g = Genome(g) if in_memory: from .intersecter import Intersecter intersecters = [] for t in tables: q = getattr(g, t) if isinstance(t, basestring) else t if _chrom is not None: q = q.filter_by(chrom=_chrom) table_iter = q intersecters.append(Intersecter(table_iter)) elif isinstance(fname, basestring) and os.path.exists(fname) and sum(1 for _ in nopen(fname)) > 25000: print >> sys.stderr, 'annotating many intervals, may be faster using in_memory=True' if header is None: header = [] extra_header = [] for j, toks in enumerate(reader(fname, header=False)): if j == 0 and not header: if not (toks[1] + toks[2]).isdigit(): header = toks if j == 0: for t in tables: annos = (getattr(g, t) if isinstance(t, basestring) else t ).first().anno_cols h = t if isinstance(t, basestring ) else t._table.name if hasattr(t, '_table') else t.first( )._table.name extra_header += [('%s_%s' % (h, a)) for a in annos] if 0 != len(header): if not header[0].startswith('#'): header[0] = '#' + header[0] print >> out, '\t'.join(header + extra_header) if header == toks: continue if not isinstance(toks, ABase): f = Feature() f.chrom = toks[0] f.txStart = int(toks[1]) f.txEnd = int(toks[2]) try: f.strand = toks[header.index('strand')] except ValueError: pass else: f = toks toks = f.bed(*header).split('\t') sep = '^*^' for ti, tbl in enumerate(tables): if in_memory: objs = intersecters[ti].knearest(int(toks[1]), int(toks[2]), chrom=toks[0], k=1) else: objs = g.knearest(tbl, toks[0], int(toks[1]), int(toks[2]), k=1 ) if len(objs) == 0: print >> out, '\t'.join(toks + ['', '', '']) continue gp = hasattr(objs[0], 'exonStarts') names = [o.gene_name for o in objs] if feature_strand: strands = [(-1 if f.is_upstream_of(o) else 1) for o in objs] else: strands = [(-1 if o.is_upstream_of(f) else 1) for o in objs] dists = [o.distance(f, features=gp) for o in objs] pure_dists = [(d[0] if isinstance(d, (tuple, list)) else d) for d in dists] for i, s in enumerate(strands): if s == 1: continue if isinstance(pure_dists[i], basestring): continue pure_dists[i] *= -1 for i, (pd, d) in enumerate(zip(pure_dists, dists)): if isinstance(d, tuple): if len(d) > 1: dists[i] = '%s%s%s' % (pd, sep, sep.join(d[1:])) else: dists[i] = pd name_dists = set([('%s%s%s' % (n, sep, d)) for n, d in zip( names, dists)]) name_dists = [nd.split(sep) for nd in name_dists] if len(set(nd[0] for nd in name_dists)) == 1: toks.append(name_dists[0][0]) else: toks.append(';'.join(nd[0] for nd in name_dists)) for i in range(1, len(name_dists[0])): toks.append(';'.join(nd[i] for nd in name_dists)) print >> out, '\t'.join(toks) if close: out.close() return out.name
annotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g, fname, tables, feature_strand=False, in_memory=False, header=None,\n out=sys.stdout, _chrom=None, parallel=False):\n close = False\n if isinstance(out, basestring):\n out = nopen(out, 'w')\n close = True\n if parallel:\n import multiprocessing\n import signal\n p = multiprocessing.Pool(initializer=lambda : signal.signal(signal.\n SIGINT, signal.SIG_IGN))\n chroms = _split_chroms(fname)\n\n def x(fanno, written=[False]):\n for i, d in enumerate(reader(fanno, header='ordered')):\n if i == 0 and written[0] == False:\n print >> out, '\\t'.join(d.keys())\n written[0] = True\n print >> out, '\\t'.join(x if x else 'NA' for x in d.values())\n os.unlink(fanno)\n os.unlink(fanno.replace('.anno', ''))\n for fchrom, (fout, fanno) in chroms:\n p.apply_async(annotate, args=(g.db, fout.name, tables,\n feature_strand, True, header, fanno, fchrom), callback=\n write_result)\n p.close()\n p.join()\n return out.name\n if isinstance(g, basestring):\n from . import Genome\n g = Genome(g)\n if in_memory:\n from .intersecter import Intersecter\n intersecters = []\n for t in tables:\n q = getattr(g, t) if isinstance(t, basestring) else t\n if _chrom is not None:\n q = q.filter_by(chrom=_chrom)\n table_iter = q\n intersecters.append(Intersecter(table_iter))\n elif isinstance(fname, basestring) and os.path.exists(fname) and sum(1 for\n _ in nopen(fname)) > 25000:\n print >> sys.stderr, 'annotating many intervals, may be faster using in_memory=True'\n if header is None:\n header = []\n extra_header = []\n for j, toks in enumerate(reader(fname, header=False)):\n if j == 0 and not header:\n if not (toks[1] + toks[2]).isdigit():\n header = toks\n if j == 0:\n for t in tables:\n annos = (getattr(g, t) if isinstance(t, basestring) else t\n ).first().anno_cols\n h = t if isinstance(t, basestring\n ) else t._table.name if hasattr(t, '_table') else t.first(\n )._table.name\n extra_header += [('%s_%s' % (h, a)) for a in annos]\n if 0 != len(header):\n if not header[0].startswith('#'):\n header[0] = '#' + header[0]\n print >> out, '\\t'.join(header + extra_header)\n if header == toks:\n continue\n if not isinstance(toks, ABase):\n f = Feature()\n f.chrom = toks[0]\n f.txStart = int(toks[1])\n f.txEnd = int(toks[2])\n try:\n f.strand = toks[header.index('strand')]\n except ValueError:\n pass\n else:\n f = toks\n toks = f.bed(*header).split('\\t')\n sep = '^*^'\n for ti, tbl in enumerate(tables):\n if in_memory:\n objs = intersecters[ti].knearest(int(toks[1]), int(toks[2]),\n chrom=toks[0], k=1)\n else:\n objs = g.knearest(tbl, toks[0], int(toks[1]), int(toks[2]), k=1\n )\n if len(objs) == 0:\n print >> out, '\\t'.join(toks + ['', '', ''])\n continue\n gp = hasattr(objs[0], 'exonStarts')\n names = [o.gene_name for o in objs]\n if feature_strand:\n strands = [(-1 if f.is_upstream_of(o) else 1) for o in objs]\n else:\n strands = [(-1 if o.is_upstream_of(f) else 1) for o in objs]\n dists = [o.distance(f, features=gp) for o in objs]\n pure_dists = [(d[0] if isinstance(d, (tuple, list)) else d) for\n d in dists]\n for i, s in enumerate(strands):\n if s == 1:\n continue\n if isinstance(pure_dists[i], basestring):\n continue\n pure_dists[i] *= -1\n for i, (pd, d) in enumerate(zip(pure_dists, dists)):\n if isinstance(d, tuple):\n if len(d) > 1:\n dists[i] = '%s%s%s' % (pd, sep, sep.join(d[1:]))\n else:\n dists[i] = pd\n name_dists = set([('%s%s%s' % (n, sep, d)) for n, d in zip(\n names, dists)])\n name_dists = [nd.split(sep) for nd in name_dists]\n if len(set(nd[0] for nd in name_dists)) == 1:\n toks.append(name_dists[0][0])\n else:\n toks.append(';'.join(nd[0] for nd in name_dists))\n for i in range(1, len(name_dists[0])):\n toks.append(';'.join(nd[i] for nd in name_dists))\n print >> out, '\\t'.join(toks)\n if close:\n out.close()\n return out.name\n", "role": "user" }, { "content": "annotate", "role": "assistant" } ]
def x(url, httpuser=None, httppassword=None, method=None): if os.getenv('OMEGO_SSL_NO_VERIFY') == '1': log.debug('OMEGO_SSL_NO_VERIFY=1') try: sslctx = ssl.create_default_context() except Exception as e: log.error('Failed to create Default SSL context: %s' % e) raise Stop( 'Failed to create Default SSL context, OMEGO_SSL_NO_VERIFY is not supported on older versions of Python' ) sslctx.check_hostname = False sslctx.verify_mode = ssl.CERT_NONE opener = urllib2.build_opener(urllib2.HTTPSHandler(context=sslctx)) else: opener = urllib2.build_opener() if 'USER_AGENT' in os.environ: opener.addheaders = [('User-agent', os.environ.get('USER_AGENT'))] log.debug('Setting user-agent: %s', os.environ.get('USER_AGENT')) if httpuser and httppassword: mgr = urllib2.HTTPPasswordMgrWithDefaultRealm() mgr.add_password(None, url, httpuser, httppassword) log.debug('Enabling HTTP authentication') opener.add_handler(urllib2.HTTPBasicAuthHandler(mgr)) opener.add_handler(urllib2.HTTPDigestAuthHandler(mgr)) elif httpuser or httppassword: raise FileException('httpuser and httppassword must be used together', url) req = urllib2.Request(url) if method: req.get_method = lambda : method return opener.open(req)
open_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, httpuser=None, httppassword=None, method=None):\n if os.getenv('OMEGO_SSL_NO_VERIFY') == '1':\n log.debug('OMEGO_SSL_NO_VERIFY=1')\n try:\n sslctx = ssl.create_default_context()\n except Exception as e:\n log.error('Failed to create Default SSL context: %s' % e)\n raise Stop(\n 'Failed to create Default SSL context, OMEGO_SSL_NO_VERIFY is not supported on older versions of Python'\n )\n sslctx.check_hostname = False\n sslctx.verify_mode = ssl.CERT_NONE\n opener = urllib2.build_opener(urllib2.HTTPSHandler(context=sslctx))\n else:\n opener = urllib2.build_opener()\n if 'USER_AGENT' in os.environ:\n opener.addheaders = [('User-agent', os.environ.get('USER_AGENT'))]\n log.debug('Setting user-agent: %s', os.environ.get('USER_AGENT'))\n if httpuser and httppassword:\n mgr = urllib2.HTTPPasswordMgrWithDefaultRealm()\n mgr.add_password(None, url, httpuser, httppassword)\n log.debug('Enabling HTTP authentication')\n opener.add_handler(urllib2.HTTPBasicAuthHandler(mgr))\n opener.add_handler(urllib2.HTTPDigestAuthHandler(mgr))\n elif httpuser or httppassword:\n raise FileException('httpuser and httppassword must be used together',\n url)\n req = urllib2.Request(url)\n if method:\n req.get_method = lambda : method\n return opener.open(req)\n", "role": "user" }, { "content": "open_url", "role": "assistant" } ]
def x(url): res = open_url(url, method='HEAD') res.close() return res.url
dereference_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n res = open_url(url, method='HEAD')\n res.close()\n return res.url\n", "role": "user" }, { "content": "dereference_url", "role": "assistant" } ]