source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(node): o = nodes.raw(node.literal, node.literal, format='html') if node.sourcepos is not None: o.line = node.sourcepos[0][0] for n in MarkDown(node): o += n return o
raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n o = nodes.raw(node.literal, node.literal, format='html')\n if node.sourcepos is not None:\n o.line = node.sourcepos[0][0]\n for n in MarkDown(node):\n o += n\n return o\n", "role": "user" }, { "content": "raw", "role": "assistant" } ]
def x(node): return nodes.title(node.first_child.literal, node.first_child.literal)
title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n return nodes.title(node.first_child.literal, node.first_child.literal)\n", "role": "user" }, { "content": "title", "role": "assistant" } ]
def x(node): title = '' if node.first_child is not None: if node.first_child.t == u'heading': title = node.first_child.first_child.literal o = nodes.section(ids=[title], names=[title]) for n in MarkDown(node): o += n return o
section
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n title = ''\n if node.first_child is not None:\n if node.first_child.t == u'heading':\n title = node.first_child.first_child.literal\n o = nodes.section(ids=[title], names=[title])\n for n in MarkDown(node):\n o += n\n return o\n", "role": "user" }, { "content": "section", "role": "assistant" } ]
def x(node): o = nodes.block_quote() o.line = node.sourcepos[0][0] for n in MarkDown(node): o += n return o
block_quote
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n o = nodes.block_quote()\n o.line = node.sourcepos[0][0]\n for n in MarkDown(node):\n o += n\n return o\n", "role": "user" }, { "content": "block_quote", "role": "assistant" } ]
def x(node): o = nodes.image(uri=node.destination) if node.first_child is not None: o['alt'] = node.first_child.literal return o
image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n o = nodes.image(uri=node.destination)\n if node.first_child is not None:\n o['alt'] = node.first_child.literal\n return o\n", "role": "user" }, { "content": "image", "role": "assistant" } ]
def x(node): o = nodes.list_item() for n in MarkDown(node): o += n return o
listItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n o = nodes.list_item()\n for n in MarkDown(node):\n o += n\n return o\n", "role": "user" }, { "content": "listItem", "role": "assistant" } ]
def x(node): if node.list_data['type'] == u'bullet': o = nodes.bullet_list(bullet=node.list_data['bullet_char']) else: o = nodes.enumerated_list(suffix=node.list_data['delimiter'], enumtype='arabic', start=node.list_data['start']) for n in MarkDown(node): o += n return o
listNode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n if node.list_data['type'] == u'bullet':\n o = nodes.bullet_list(bullet=node.list_data['bullet_char'])\n else:\n o = nodes.enumerated_list(suffix=node.list_data['delimiter'],\n enumtype='arabic', start=node.list_data['start'])\n for n in MarkDown(node):\n o += n\n return o\n", "role": "user" }, { "content": "listNode", "role": "assistant" } ]
def x(node): cur = node.first_child output = [] while cur is not None: t = cur.t if t == 'paragraph': output.append(paragraph(cur)) elif t == 'text': output.append(text(cur)) elif t == 'softbreak': output.append(softbreak(cur)) elif t == 'linebreak': output.append(hardbreak(cur)) elif t == 'link': output.append(reference(cur)) elif t == 'heading': output.append(title(cur)) elif t == 'emph': output.append(emphasis(cur)) elif t == 'strong': output.append(strong(cur)) elif t == 'code': output.append(literal(cur)) elif t == 'code_block': output.append(literal_block(cur)) elif t == 'html_inline' or t == 'html_block': output.append(raw(cur)) elif t == 'block_quote': output.append(block_quote(cur)) elif t == 'thematic_break': output.append(transition(cur)) elif t == 'image': output.append(image(cur)) elif t == 'list': output.append(listNode(cur)) elif t == 'item': output.append(listItem(cur)) elif t == 'MDsection': output.append(section(cur)) else: print('Received unhandled type: {}. Full print of node:'.format(t)) cur.pretty() cur = cur.nxt return output
MarkDown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n cur = node.first_child\n output = []\n while cur is not None:\n t = cur.t\n if t == 'paragraph':\n output.append(paragraph(cur))\n elif t == 'text':\n output.append(text(cur))\n elif t == 'softbreak':\n output.append(softbreak(cur))\n elif t == 'linebreak':\n output.append(hardbreak(cur))\n elif t == 'link':\n output.append(reference(cur))\n elif t == 'heading':\n output.append(title(cur))\n elif t == 'emph':\n output.append(emphasis(cur))\n elif t == 'strong':\n output.append(strong(cur))\n elif t == 'code':\n output.append(literal(cur))\n elif t == 'code_block':\n output.append(literal_block(cur))\n elif t == 'html_inline' or t == 'html_block':\n output.append(raw(cur))\n elif t == 'block_quote':\n output.append(block_quote(cur))\n elif t == 'thematic_break':\n output.append(transition(cur))\n elif t == 'image':\n output.append(image(cur))\n elif t == 'list':\n output.append(listNode(cur))\n elif t == 'item':\n output.append(listItem(cur))\n elif t == 'MDsection':\n output.append(section(cur))\n else:\n print('Received unhandled type: {}. Full print of node:'.format(t))\n cur.pretty()\n cur = cur.nxt\n return output\n", "role": "user" }, { "content": "MarkDown", "role": "assistant" } ]
def x(section): cur = section.first_child last = section.last_child if last is not None: last.nxt = None while cur is not None: cur.parent = section cur = cur.nxt
finalizeSection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(section):\n cur = section.first_child\n last = section.last_child\n if last is not None:\n last.nxt = None\n while cur is not None:\n cur.parent = section\n cur = cur.nxt\n", "role": "user" }, { "content": "finalizeSection", "role": "assistant" } ]
def x(block, level=1): cur = block.first_child if cur is not None: children = [] nest = False while cur is not None: if cur.t == 'heading' and cur.level == level: nest = True break cur = cur.nxt if not nest: return section = Node('MDsection', 0) section.parent = block cur = block.first_child while cur is not None: if cur.t == 'heading' and cur.level == level: if section.first_child is not None: finalizeSection(section) children.append(section) section = Node('MDsection', 0) nxt = cur.nxt if section.first_child is None: if cur.t == 'heading' and cur.level == level: section.append_child(cur) else: children.append(cur) else: section.append_child(cur) cur = nxt if section.first_child is not None: finalizeSection(section) children.append(section) block.first_child = None block.last_child = None nextLevel = level + 1 for child in children: if child.t == 'MDsection': nestSections(child, level=nextLevel) if block.first_child is None: block.first_child = child else: block.last_child.nxt = child child.parent = block child.nxt = None child.prev = block.last_child block.last_child = child
nestSections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(block, level=1):\n cur = block.first_child\n if cur is not None:\n children = []\n nest = False\n while cur is not None:\n if cur.t == 'heading' and cur.level == level:\n nest = True\n break\n cur = cur.nxt\n if not nest:\n return\n section = Node('MDsection', 0)\n section.parent = block\n cur = block.first_child\n while cur is not None:\n if cur.t == 'heading' and cur.level == level:\n if section.first_child is not None:\n finalizeSection(section)\n children.append(section)\n section = Node('MDsection', 0)\n nxt = cur.nxt\n if section.first_child is None:\n if cur.t == 'heading' and cur.level == level:\n section.append_child(cur)\n else:\n children.append(cur)\n else:\n section.append_child(cur)\n cur = nxt\n if section.first_child is not None:\n finalizeSection(section)\n children.append(section)\n block.first_child = None\n block.last_child = None\n nextLevel = level + 1\n for child in children:\n if child.t == 'MDsection':\n nestSections(child, level=nextLevel)\n if block.first_child is None:\n block.first_child = child\n else:\n block.last_child.nxt = child\n child.parent = block\n child.nxt = None\n child.prev = block.last_child\n block.last_child = child\n", "role": "user" }, { "content": "nestSections", "role": "assistant" } ]
def x(text): block = Parser().parse(text) nestSections(block) return MarkDown(block)
parseMarkDownBlock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n block = Parser().parse(text)\n nestSections(block)\n return MarkDown(block)\n", "role": "user" }, { "content": "parseMarkDownBlock", "role": "assistant" } ]
def x(l, markDownHelp, settings=None): if len(l) == 0: return [] if markDownHelp: from sphinxarg.markdown import parseMarkDownBlock return parseMarkDownBlock('\n\n'.join(l) + '\n') else: all_children = [] for element in l: if isinstance(element, str): if settings is None: settings = OptionParser(components=(Parser,) ).get_default_values() document = new_document(None, settings) Parser().parse(element + '\n', document) all_children += document.children elif isinstance(element, nodes.definition): all_children += element return all_children
renderList
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(l, markDownHelp, settings=None):\n if len(l) == 0:\n return []\n if markDownHelp:\n from sphinxarg.markdown import parseMarkDownBlock\n return parseMarkDownBlock('\\n\\n'.join(l) + '\\n')\n else:\n all_children = []\n for element in l:\n if isinstance(element, str):\n if settings is None:\n settings = OptionParser(components=(Parser,)\n ).get_default_values()\n document = new_document(None, settings)\n Parser().parse(element + '\\n', document)\n all_children += document.children\n elif isinstance(element, nodes.definition):\n all_children += element\n return all_children\n", "role": "user" }, { "content": "renderList", "role": "assistant" } ]
def x(data, nested_content, markDownHelp=False, settings=None): definitions = map_nested_definitions(nested_content) nodes_list = [] if 'action_groups' in data: for action_group in data['action_groups']: section = nodes.section(ids=[action_group['title']]) section += nodes.title(action_group['title'], action_group['title'] ) desc = [] if action_group['description']: desc.append(action_group['description']) subContent = [] if action_group['title'] in definitions: classifier, s, subContent = definitions[action_group['title']] if classifier == '@replace': desc = [s] elif classifier == '@after': desc.append(s) elif classifier == '@before': desc.insert(0, s) elif classifier == '@skip': continue if len(subContent) > 0: for k, v in map_nested_definitions(subContent).items(): definitions[k] = v for element in renderList(desc, markDownHelp): section += element localDefinitions = definitions if len(subContent) > 0: localDefinitions = {k: v for k, v in definitions.items()} for k, v in map_nested_definitions(subContent).items(): localDefinitions[k] = v items = [] for entry in action_group['options']: """ Members will include: default The default value. This may be ==SUPPRESS== name A list of option names (e.g., ['-h', '--help'] help The help message string There may also be a 'choices' member. """ arg = [] if 'choices' in entry: arg.append('Possible choices: {}\n'.format(', '.join([ str(c) for c in entry['choices']]))) if 'help' in entry: arg.append(entry['help']) if entry['default'] is not None and entry['default'] not in [ '"==SUPPRESS=="', '==SUPPRESS==']: if entry['default'] == '': arg.append('Default: ""') else: arg.append('Default: {}'.format(entry['default'])) desc = arg term = ' '.join(entry['name']) if term in localDefinitions: classifier, s, subContent = localDefinitions[term] if classifier == '@replace': desc = [s] elif classifier == '@after': desc.append(s) elif classifier == '@before': desc.insert(0, s) term = ', '.join(entry['name']) n = nodes.option_list_item('', nodes.option_group('', nodes .option_string(text=term)), nodes.description('', * renderList(desc, markDownHelp, settings))) items.append(n) section += nodes.option_list('', *items) nodes_list.append(section) return nodes_list
print_action_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, nested_content, markDownHelp=False, settings=None):\n definitions = map_nested_definitions(nested_content)\n nodes_list = []\n if 'action_groups' in data:\n for action_group in data['action_groups']:\n section = nodes.section(ids=[action_group['title']])\n section += nodes.title(action_group['title'], action_group['title']\n )\n desc = []\n if action_group['description']:\n desc.append(action_group['description'])\n subContent = []\n if action_group['title'] in definitions:\n classifier, s, subContent = definitions[action_group['title']]\n if classifier == '@replace':\n desc = [s]\n elif classifier == '@after':\n desc.append(s)\n elif classifier == '@before':\n desc.insert(0, s)\n elif classifier == '@skip':\n continue\n if len(subContent) > 0:\n for k, v in map_nested_definitions(subContent).items():\n definitions[k] = v\n for element in renderList(desc, markDownHelp):\n section += element\n localDefinitions = definitions\n if len(subContent) > 0:\n localDefinitions = {k: v for k, v in definitions.items()}\n for k, v in map_nested_definitions(subContent).items():\n localDefinitions[k] = v\n items = []\n for entry in action_group['options']:\n \"\"\"\n Members will include:\n default\tThe default value. This may be ==SUPPRESS==\n name\tA list of option names (e.g., ['-h', '--help']\n help\tThe help message string\n There may also be a 'choices' member.\n \"\"\"\n arg = []\n if 'choices' in entry:\n arg.append('Possible choices: {}\\n'.format(', '.join([\n str(c) for c in entry['choices']])))\n if 'help' in entry:\n arg.append(entry['help'])\n if entry['default'] is not None and entry['default'] not in [\n '\"==SUPPRESS==\"', '==SUPPRESS==']:\n if entry['default'] == '':\n arg.append('Default: \"\"')\n else:\n arg.append('Default: {}'.format(entry['default']))\n desc = arg\n term = ' '.join(entry['name'])\n if term in localDefinitions:\n classifier, s, subContent = localDefinitions[term]\n if classifier == '@replace':\n desc = [s]\n elif classifier == '@after':\n desc.append(s)\n elif classifier == '@before':\n desc.insert(0, s)\n term = ', '.join(entry['name'])\n n = nodes.option_list_item('', nodes.option_group('', nodes\n .option_string(text=term)), nodes.description('', *\n renderList(desc, markDownHelp, settings)))\n items.append(n)\n section += nodes.option_list('', *items)\n nodes_list.append(section)\n return nodes_list\n", "role": "user" }, { "content": "print_action_groups", "role": "assistant" } ]
def x(data, nested_content, markDownHelp=False, settings=None): definitions = map_nested_definitions(nested_content) items = [] if 'children' in data: subCommands = nodes.section(ids=['Sub-commands:']) subCommands += nodes.title('Sub-commands:', 'Sub-commands:') for child in data['children']: sec = nodes.section(ids=[child['name']]) sec += nodes.title(child['name'], child['name']) if 'description' in child and child['description']: desc = [child['description']] elif child['help']: desc = [child['help']] else: desc = ['Undocumented'] subContent = [] if child['name'] in definitions: classifier, s, subContent = definitions[child['name']] if classifier == '@replace': desc = [s] elif classifier == '@after': desc.append(s) elif classifier == '@before': desc.insert(0, s) for element in renderList(desc, markDownHelp): sec += element sec += nodes.literal_block(text=child['bare_usage']) for x in print_action_groups(child, nested_content + subContent, markDownHelp, settings=settings): sec += x for x in print_subcommands(child, nested_content + subContent, markDownHelp, settings=settings): sec += x if 'epilog' in child and child['epilog']: for element in renderList([child['epilog']], markDownHelp): sec += element subCommands += sec items.append(subCommands) return items
print_subcommands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, nested_content, markDownHelp=False, settings=None):\n definitions = map_nested_definitions(nested_content)\n items = []\n if 'children' in data:\n subCommands = nodes.section(ids=['Sub-commands:'])\n subCommands += nodes.title('Sub-commands:', 'Sub-commands:')\n for child in data['children']:\n sec = nodes.section(ids=[child['name']])\n sec += nodes.title(child['name'], child['name'])\n if 'description' in child and child['description']:\n desc = [child['description']]\n elif child['help']:\n desc = [child['help']]\n else:\n desc = ['Undocumented']\n subContent = []\n if child['name'] in definitions:\n classifier, s, subContent = definitions[child['name']]\n if classifier == '@replace':\n desc = [s]\n elif classifier == '@after':\n desc.append(s)\n elif classifier == '@before':\n desc.insert(0, s)\n for element in renderList(desc, markDownHelp):\n sec += element\n sec += nodes.literal_block(text=child['bare_usage'])\n for x in print_action_groups(child, nested_content + subContent,\n markDownHelp, settings=settings):\n sec += x\n for x in print_subcommands(child, nested_content + subContent,\n markDownHelp, settings=settings):\n sec += x\n if 'epilog' in child and child['epilog']:\n for element in renderList([child['epilog']], markDownHelp):\n sec += element\n subCommands += sec\n items.append(subCommands)\n return items\n", "role": "user" }, { "content": "print_subcommands", "role": "assistant" } ]
def x(items): s = set() for item in items: for n in item.traverse(descend=True, siblings=True, ascend=False): if isinstance(n, nodes.section): ids = n['ids'] for idx, id in enumerate(ids): if id not in s: s.add(id) else: i = 1 while '{}_repeat{}'.format(id, i) in s: i += 1 ids[idx] = '{}_repeat{}'.format(id, i) s.add(ids[idx]) n['ids'] = ids
ensureUniqueIDs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(items):\n s = set()\n for item in items:\n for n in item.traverse(descend=True, siblings=True, ascend=False):\n if isinstance(n, nodes.section):\n ids = n['ids']\n for idx, id in enumerate(ids):\n if id not in s:\n s.add(id)\n else:\n i = 1\n while '{}_repeat{}'.format(id, i) in s:\n i += 1\n ids[idx] = '{}_repeat{}'.format(id, i)\n s.add(ids[idx])\n n['ids'] = ids\n", "role": "user" }, { "content": "ensureUniqueIDs", "role": "assistant" } ]
def x(self, parser_info): items = [] synopsis_section = nodes.section('', nodes.title(text='Synopsis'), nodes.literal_block(text=parser_info['bare_usage']), ids=[ 'synopsis-section']) items.append(synopsis_section) if 'nodescription' not in self.options: description_section = nodes.section('', nodes.title(text= 'Description'), nodes.paragraph(text=parser_info.get( 'description', parser_info.get('help', 'undocumented'). capitalize())), ids=['description-section']) nested_parse_with_titles(self.state, self.content, description_section) items.append(description_section) if parser_info.get('epilog') and 'noepilog' not in self.options: if description_section: description_section += nodes.paragraph(text=parser_info['epilog']) else: description_section = nodes.paragraph(text=parser_info['epilog']) items.append(description_section) options_section = nodes.section('', nodes.title(text='Options'), ids=[ 'options-section']) if 'args' in parser_info: options_section += nodes.paragraph() options_section += nodes.subtitle(text='Positional arguments:') options_section += self._format_positional_arguments(parser_info) for action_group in parser_info['action_groups']: if 'options' in parser_info: options_section += nodes.paragraph() options_section += nodes.subtitle(text=action_group['title']) options_section += self._format_optional_arguments(action_group) if len(options_section.children) > 1: items.append(options_section) if 'nosubcommands' not in self.options: subcommands_section = nodes.section('', nodes.title(text= 'Sub-Commands'), ids=['subcommands-section']) if 'children' in parser_info: subcommands_section += self._format_subcommands(parser_info) if len(subcommands_section) > 1: items.append(subcommands_section) if os.getenv('INCLUDE_DEBUG_SECTION'): import json debug_section = nodes.section('', nodes.title(text= 'Argparse + Sphinx Debugging'), nodes.literal_block(text=json. dumps(parser_info, indent=' ')), ids=['debug-section']) items.append(debug_section) return items
construct_manpage_specific_structure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parser_info):\n items = []\n synopsis_section = nodes.section('', nodes.title(text='Synopsis'),\n nodes.literal_block(text=parser_info['bare_usage']), ids=[\n 'synopsis-section'])\n items.append(synopsis_section)\n if 'nodescription' not in self.options:\n description_section = nodes.section('', nodes.title(text=\n 'Description'), nodes.paragraph(text=parser_info.get(\n 'description', parser_info.get('help', 'undocumented').\n capitalize())), ids=['description-section'])\n nested_parse_with_titles(self.state, self.content, description_section)\n items.append(description_section)\n if parser_info.get('epilog') and 'noepilog' not in self.options:\n if description_section:\n description_section += nodes.paragraph(text=parser_info['epilog'])\n else:\n description_section = nodes.paragraph(text=parser_info['epilog'])\n items.append(description_section)\n options_section = nodes.section('', nodes.title(text='Options'), ids=[\n 'options-section'])\n if 'args' in parser_info:\n options_section += nodes.paragraph()\n options_section += nodes.subtitle(text='Positional arguments:')\n options_section += self._format_positional_arguments(parser_info)\n for action_group in parser_info['action_groups']:\n if 'options' in parser_info:\n options_section += nodes.paragraph()\n options_section += nodes.subtitle(text=action_group['title'])\n options_section += self._format_optional_arguments(action_group)\n if len(options_section.children) > 1:\n items.append(options_section)\n if 'nosubcommands' not in self.options:\n subcommands_section = nodes.section('', nodes.title(text=\n 'Sub-Commands'), ids=['subcommands-section'])\n if 'children' in parser_info:\n subcommands_section += self._format_subcommands(parser_info)\n if len(subcommands_section) > 1:\n items.append(subcommands_section)\n if os.getenv('INCLUDE_DEBUG_SECTION'):\n import json\n debug_section = nodes.section('', nodes.title(text=\n 'Argparse + Sphinx Debugging'), nodes.literal_block(text=json.\n dumps(parser_info, indent=' ')), ids=['debug-section'])\n items.append(debug_section)\n return items\n", "role": "user" }, { "content": "construct_manpage_specific_structure", "role": "assistant" } ]
def x(self, item): self._on_unselect[self._selected]() self.selected().unfocus() if isinstance(item, int): self._selected = item % len(self) else: self._selected = self.items.index(item) self.selected().focus() self._on_select[self._selected]()
select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n self._on_unselect[self._selected]()\n self.selected().unfocus()\n if isinstance(item, int):\n self._selected = item % len(self)\n else:\n self._selected = self.items.index(item)\n self.selected().focus()\n self._on_select[self._selected]()\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(self, item, action): if not isinstance(item, int): item = self.items.index(item) self._on_select[item] = action
on_select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, action):\n if not isinstance(item, int):\n item = self.items.index(item)\n self._on_select[item] = action\n", "role": "user" }, { "content": "on_select", "role": "assistant" } ]
def x(self, item, action): if not isinstance(item, int): item = self.items.index(item) self._on_unselect[item] = action
on_unselect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, action):\n if not isinstance(item, int):\n item = self.items.index(item)\n self._on_unselect[item] = action\n", "role": "user" }, { "content": "on_unselect", "role": "assistant" } ]
def x(self, widget, condition=lambda : 42): assert callable(condition) assert isinstance(widget, BaseWidget) self._widgets.append((widget, condition)) return widget
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget, condition=lambda : 42):\n assert callable(condition)\n assert isinstance(widget, BaseWidget)\n self._widgets.append((widget, condition))\n return widget\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, widget): for i, (wid, _) in enumerate(self._widgets): if widget is wid: del self._widgets[i] return True raise ValueError('Widget not in list')
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget):\n for i, (wid, _) in enumerate(self._widgets):\n if widget is wid:\n del self._widgets[i]\n return True\n raise ValueError('Widget not in list')\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, e): if e.type == QUIT: self.running = False elif e.type == KEYDOWN: if e.key == K_ESCAPE: self.running = False elif e.key == K_F4 and e.mod & KMOD_ALT: self.running = False elif e.type == VIDEORESIZE: self.SCREEN_SIZE = e.size self.screen = self.new_screen()
update_on_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, e):\n if e.type == QUIT:\n self.running = False\n elif e.type == KEYDOWN:\n if e.key == K_ESCAPE:\n self.running = False\n elif e.key == K_F4 and e.mod & KMOD_ALT:\n self.running = False\n elif e.type == VIDEORESIZE:\n self.SCREEN_SIZE = e.size\n self.screen = self.new_screen()\n", "role": "user" }, { "content": "update_on_event", "role": "assistant" } ]
def x(self): events = pygame.event.get() for e in events: self.update_on_event(e) for wid, cond in self._widgets: if cond(): wid.update(events)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n events = pygame.event.get()\n for e in events:\n self.update_on_event(e)\n for wid, cond in self._widgets:\n if cond():\n wid.update(events)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self): self.screen.fill(self.BACKGROUND_COLOR) for wid, cond in self._widgets: if cond(): wid.render(self.screen) if self.BORDER_COLOR is not None: pygame.draw.rect(self.screen, self.BORDER_COLOR, ((0, 0), self. SCREEN_SIZE), 1) if self.SHOW_FPS: self.fps.render(self.screen)
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.screen.fill(self.BACKGROUND_COLOR)\n for wid, cond in self._widgets:\n if cond():\n wid.render(self.screen)\n if self.BORDER_COLOR is not None:\n pygame.draw.rect(self.screen, self.BORDER_COLOR, ((0, 0), self.\n SCREEN_SIZE), 1)\n if self.SHOW_FPS:\n self.fps.render(self.screen)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self): self.clock.tick(self.FPS) pygame.display.update()
update_screen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.clock.tick(self.FPS)\n pygame.display.update()\n", "role": "user" }, { "content": "update_screen", "role": "assistant" } ]
def x(self): while self.running: self.update() self.render() self.update_screen() return self.destroy()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while self.running:\n self.update()\n self.render()\n self.update_screen()\n return self.destroy()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): os.environ['SDL_VIDEO_CENTERED'] = '1' pygame.display.set_caption(self.NAME) screen_s = self.SCREEN_SIZE video_options = self.VIDEO_OPTIONS if FULLSCREEN & self.VIDEO_OPTIONS: video_options ^= FULLSCREEN video_options |= NOFRAME screen_s = 0, 0 screen = pygame.display.set_mode(screen_s, video_options) if FULLSCREEN & self.VIDEO_OPTIONS: self.SCREEN_SIZE = screen.get_size() if not QUIT in self.EVENT_ALLOWED: self.EVENT_ALLOWED = list(self.EVENT_ALLOWED) self.EVENT_ALLOWED.append(QUIT) pygame.event.set_allowed(self.EVENT_ALLOWED) return screen
new_screen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n os.environ['SDL_VIDEO_CENTERED'] = '1'\n pygame.display.set_caption(self.NAME)\n screen_s = self.SCREEN_SIZE\n video_options = self.VIDEO_OPTIONS\n if FULLSCREEN & self.VIDEO_OPTIONS:\n video_options ^= FULLSCREEN\n video_options |= NOFRAME\n screen_s = 0, 0\n screen = pygame.display.set_mode(screen_s, video_options)\n if FULLSCREEN & self.VIDEO_OPTIONS:\n self.SCREEN_SIZE = screen.get_size()\n if not QUIT in self.EVENT_ALLOWED:\n self.EVENT_ALLOWED = list(self.EVENT_ALLOWED)\n self.EVENT_ALLOWED.append(QUIT)\n pygame.event.set_allowed(self.EVENT_ALLOWED)\n return screen\n", "role": "user" }, { "content": "new_screen", "role": "assistant" } ]
def x(rect1, rect2): r = pygame.Rect(rect1) t = pygame.Rect(rect2) right = max(r.right, t.right) bot = max(r.bottom, t.bottom) x = min(t.x, r.x) y = min(t.y, r.y) return pygame.Rect(x, y, right - x, bot - y)
merge_rects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rect1, rect2):\n r = pygame.Rect(rect1)\n t = pygame.Rect(rect2)\n right = max(r.right, t.right)\n bot = max(r.bottom, t.bottom)\n x = min(t.x, r.x)\n y = min(t.y, r.y)\n return pygame.Rect(x, y, right - x, bot - y)\n", "role": "user" }, { "content": "merge_rects", "role": "assistant" } ]
def x(self): n = self.norm() return V2(-self.y / n, self.x / n)
normnorm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n n = self.norm()\n return V2(-self.y / n, self.x / n)\n", "role": "user" }, { "content": "normnorm", "role": "assistant" } ]
def x(surf, start, end, color=BLACK, width=1, style=FLAT): width = round(width, 1) if width == 1: return gfxdraw.line(surf, *start, *end, color) start = V2(*start) end = V2(*end) line_vector = end - start half_side = line_vector.normnorm() * width / 2 point1 = start + half_side point2 = start - half_side point3 = end - half_side point4 = end + half_side liste = [(point1.x, point1.y), (point2.x, point2.y), (point3.x, point3. y), (point4.x, point4.y)] rect = polygon(surf, liste, color) if style == ROUNDED: _ = circle(surf, start, width / 2, color) rect = merge_rects(rect, _) _ = circle(surf, end, width / 2, color) rect = merge_rects(rect, _) return rect
line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surf, start, end, color=BLACK, width=1, style=FLAT):\n width = round(width, 1)\n if width == 1:\n return gfxdraw.line(surf, *start, *end, color)\n start = V2(*start)\n end = V2(*end)\n line_vector = end - start\n half_side = line_vector.normnorm() * width / 2\n point1 = start + half_side\n point2 = start - half_side\n point3 = end - half_side\n point4 = end + half_side\n liste = [(point1.x, point1.y), (point2.x, point2.y), (point3.x, point3.\n y), (point4.x, point4.y)]\n rect = polygon(surf, liste, color)\n if style == ROUNDED:\n _ = circle(surf, start, width / 2, color)\n rect = merge_rects(rect, _)\n _ = circle(surf, end, width / 2, color)\n rect = merge_rects(rect, _)\n return rect\n", "role": "user" }, { "content": "line", "role": "assistant" } ]
def x(surf, xy, r, color=BLACK): x, y = xy x = round(x) y = round(y) r = round(r) gfxdraw.filled_circle(surf, x, y, r, color) gfxdraw.aacircle(surf, x, y, r, color) r += 1 return pygame.Rect(x - r, y - r, 2 * r, 2 * r)
circle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surf, xy, r, color=BLACK):\n x, y = xy\n x = round(x)\n y = round(y)\n r = round(r)\n gfxdraw.filled_circle(surf, x, y, r, color)\n gfxdraw.aacircle(surf, x, y, r, color)\n r += 1\n return pygame.Rect(x - r, y - r, 2 * r, 2 * r)\n", "role": "user" }, { "content": "circle", "role": "assistant" } ]
def x(surf, xy, r, width, color): r2 = r - width x0, y0 = xy x = r2 y = 0 err = 0 right = {} while x >= y: right[x] = y right[y] = x right[-x] = y right[-y] = x y += 1 if err <= 0: err += 2 * y + 1 if err > 0: x -= 1 err -= 2 * x + 1 def x(surf, color, x, y, right): if -r2 <= y <= r2: pygame.draw.line(surf, color, (x0 + right[y], y0 + y), (x0 + x, y0 + y)) pygame.draw.line(surf, color, (x0 - right[y], y0 + y), (x0 - x, y0 + y)) else: pygame.draw.line(surf, color, (x0 - x, y0 + y), (x0 + x, y0 + y)) x = r y = 0 err = 0 while x >= y: h_fill_the_circle(surf, color, x, y, right) h_fill_the_circle(surf, color, x, -y, right) h_fill_the_circle(surf, color, y, x, right) h_fill_the_circle(surf, color, y, -x, right) y += 1 if err < 0: err += 2 * y + 1 if err >= 0: x -= 1 err -= 2 * x + 1 gfxdraw.aacircle(surf, x0, y0, r, color) gfxdraw.aacircle(surf, x0, y0, r2, color)
ring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surf, xy, r, width, color):\n r2 = r - width\n x0, y0 = xy\n x = r2\n y = 0\n err = 0\n right = {}\n while x >= y:\n right[x] = y\n right[y] = x\n right[-x] = y\n right[-y] = x\n y += 1\n if err <= 0:\n err += 2 * y + 1\n if err > 0:\n x -= 1\n err -= 2 * x + 1\n\n def x(surf, color, x, y, right):\n if -r2 <= y <= r2:\n pygame.draw.line(surf, color, (x0 + right[y], y0 + y), (x0 + x,\n y0 + y))\n pygame.draw.line(surf, color, (x0 - right[y], y0 + y), (x0 - x,\n y0 + y))\n else:\n pygame.draw.line(surf, color, (x0 - x, y0 + y), (x0 + x, y0 + y))\n x = r\n y = 0\n err = 0\n while x >= y:\n h_fill_the_circle(surf, color, x, y, right)\n h_fill_the_circle(surf, color, x, -y, right)\n h_fill_the_circle(surf, color, y, x, right)\n h_fill_the_circle(surf, color, y, -x, right)\n y += 1\n if err < 0:\n err += 2 * y + 1\n if err >= 0:\n x -= 1\n err -= 2 * x + 1\n gfxdraw.aacircle(surf, x0, y0, r, color)\n gfxdraw.aacircle(surf, x0, y0, r2, color)\n", "role": "user" }, { "content": "ring", "role": "assistant" } ]
def x(surface, rect, color, rounding=5, unit=PIXEL): if unit == PERCENT: rounding = int(min(rect.size) / 2 * rounding / 100) rect = pygame.Rect(rect) color = pygame.Color(*color) alpha = color.a color.a = 0 pos = rect.topleft rect.topleft = 0, 0 rectangle = pygame.Surface(rect.size, SRCALPHA) circle = pygame.Surface([min(rect.size) * 3] * 2, SRCALPHA) pygame.draw.ellipse(circle, (0, 0, 0), circle.get_rect(), 0) circle = pygame.transform.smoothscale(circle, (rounding, rounding)) rounding = rectangle.blit(circle, (0, 0)) rounding.bottomright = rect.bottomright rectangle.blit(circle, rounding) rounding.topright = rect.topright rectangle.blit(circle, rounding) rounding.bottomleft = rect.bottomleft rectangle.blit(circle, rounding) rectangle.fill((0, 0, 0), rect.inflate(-rounding.w, 0)) rectangle.fill((0, 0, 0), rect.inflate(0, -rounding.h)) rectangle.fill(color, special_flags=BLEND_RGBA_MAX) rectangle.fill((255, 255, 255, alpha), special_flags=BLEND_RGBA_MIN) return surface.blit(rectangle, pos)
roundrect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface, rect, color, rounding=5, unit=PIXEL):\n if unit == PERCENT:\n rounding = int(min(rect.size) / 2 * rounding / 100)\n rect = pygame.Rect(rect)\n color = pygame.Color(*color)\n alpha = color.a\n color.a = 0\n pos = rect.topleft\n rect.topleft = 0, 0\n rectangle = pygame.Surface(rect.size, SRCALPHA)\n circle = pygame.Surface([min(rect.size) * 3] * 2, SRCALPHA)\n pygame.draw.ellipse(circle, (0, 0, 0), circle.get_rect(), 0)\n circle = pygame.transform.smoothscale(circle, (rounding, rounding))\n rounding = rectangle.blit(circle, (0, 0))\n rounding.bottomright = rect.bottomright\n rectangle.blit(circle, rounding)\n rounding.topright = rect.topright\n rectangle.blit(circle, rounding)\n rounding.bottomleft = rect.bottomleft\n rectangle.blit(circle, rounding)\n rectangle.fill((0, 0, 0), rect.inflate(-rounding.w, 0))\n rectangle.fill((0, 0, 0), rect.inflate(0, -rounding.h))\n rectangle.fill(color, special_flags=BLEND_RGBA_MAX)\n rectangle.fill((255, 255, 255, alpha), special_flags=BLEND_RGBA_MIN)\n return surface.blit(rectangle, pos)\n", "role": "user" }, { "content": "roundrect", "role": "assistant" } ]
def x(surf, points, color): gfxdraw.aapolygon(surf, points, color) gfxdraw.filled_polygon(surf, points, color) x = min([x for x, y in points]) y = min([y for x, y in points]) xm = max([x for x, y in points]) ym = max([y for x, y in points]) return pygame.Rect(x, y, xm - x, ym - y)
polygon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surf, points, color):\n gfxdraw.aapolygon(surf, points, color)\n gfxdraw.filled_polygon(surf, points, color)\n x = min([x for x, y in points])\n y = min([y for x, y in points])\n xm = max([x for x, y in points])\n ym = max([y for x, y in points])\n return pygame.Rect(x, y, xm - x, ym - y)\n", "role": "user" }, { "content": "polygon", "role": "assistant" } ]
def x(self, force_no_call=False, milis=None): if self.clicked: return False if not force_no_call and self.flags & self.CALL_ON_PRESS: if self.flags & self.THREADED_CALL: start_new_thread(self.func, ()) else: self.func() super().click() if milis is not None: start_new_thread(self.release, (), {'milis': milis})
click
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, force_no_call=False, milis=None):\n if self.clicked:\n return False\n if not force_no_call and self.flags & self.CALL_ON_PRESS:\n if self.flags & self.THREADED_CALL:\n start_new_thread(self.func, ())\n else:\n self.func()\n super().click()\n if milis is not None:\n start_new_thread(self.release, (), {'milis': milis})\n", "role": "user" }, { "content": "click", "role": "assistant" } ]
def x(self): if self.clicked and self.hovered: color = mix(self.color, BLACK, 0.8) elif self.hovered and not self.flags & self.NO_HOVER: color = mix(self.color, BLACK, 0.93) else: color = self.color self.text.bg_color = color return color
get_color
[ { "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.clicked and self.hovered:\n color = mix(self.color, BLACK, 0.8)\n elif self.hovered and not self.flags & self.NO_HOVER:\n color = mix(self.color, BLACK, 0.93)\n else:\n color = self.color\n self.text.bg_color = color\n return color\n", "role": "user" }, { "content": "get_color", "role": "assistant" } ]
def x(self): if self.flags & self.NO_MOVE: return Separator(0, 0) if self.clicked and self.hovered: delta = 2 elif self.hovered and not self.flags & self.NO_HOVER: delta = 0 else: delta = 0 return Separator(delta, delta)
front_delta
[ { "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.flags & self.NO_MOVE:\n return Separator(0, 0)\n if self.clicked and self.hovered:\n delta = 2\n elif self.hovered and not self.flags & self.NO_HOVER:\n delta = 0\n else:\n delta = 0\n return Separator(delta, delta)\n", "role": "user" }, { "content": "front_delta", "role": "assistant" } ]
def x(self, event_or_list): for e in super().update(event_or_list): if e.type == MOUSEBUTTONDOWN: if e.pos in self: self.click() else: self.release(force_no_call=True) elif e.type == MOUSEBUTTONUP: self.release(force_no_call=e.pos not in self) elif e.type == MOUSEMOTION: if e.pos in self: self.hovered = True else: self.hovered = False
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 for e in super().update(event_or_list):\n if e.type == MOUSEBUTTONDOWN:\n if e.pos in self:\n self.click()\n else:\n self.release(force_no_call=True)\n elif e.type == MOUSEBUTTONUP:\n self.release(force_no_call=e.pos not in self)\n elif e.type == MOUSEMOTION:\n if e.pos in self:\n self.hovered = True\n else:\n self.hovered = False\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, surf): pos, size = self.topleft, self.size if not self.flags & self.NO_SHADOW: if self.flags & self.NO_ROUNDING: pygame.draw.rect(surf, LIGHT_GREY, (pos + self._bg_delta, size)) else: roundrect(surf, (pos + self._bg_delta, size), LIGHT_GREY + (100 ,), 5) if self.flags & self.NO_ROUNDING: pygame.draw.rect(surf, self._get_color(), (pos + self._front_delta, size)) else: roundrect(surf, (pos + self._front_delta, size), self._get_color(), 5) self.text.center = self.center + self._front_delta self.text.render(surf)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, surf):\n pos, size = self.topleft, self.size\n if not self.flags & self.NO_SHADOW:\n if self.flags & self.NO_ROUNDING:\n pygame.draw.rect(surf, LIGHT_GREY, (pos + self._bg_delta, size))\n else:\n roundrect(surf, (pos + self._bg_delta, size), LIGHT_GREY + (100\n ,), 5)\n if self.flags & self.NO_ROUNDING:\n pygame.draw.rect(surf, self._get_color(), (pos + self._front_delta,\n size))\n else:\n roundrect(surf, (pos + self._front_delta, size), self._get_color(), 5)\n self.text.center = self.center + self._front_delta\n self.text.render(surf)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self, surf): if not self.flags & self.NO_SHADOW: circle(surf, self.center + self._bg_delta, self.width / 2, LIGHT_GREY) circle(surf, self.center + self._front_delta, self.width / 2, self. _get_color()) self.text.center = self.center + self._front_delta self.text.render(surf)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, surf):\n if not self.flags & self.NO_SHADOW:\n circle(surf, self.center + self._bg_delta, self.width / 2, LIGHT_GREY)\n circle(surf, self.center + self._front_delta, self.width / 2, self.\n _get_color())\n self.text.center = self.center + self._front_delta\n self.text.render(surf)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self): icon_pressed = self.icon.copy() for x in range(self.w): for y in range(self.h): r, g, b, *_ = tuple(self.icon.get_at((x, y))) const = 0.8 r = int(const * r) g = int(const * g) b = int(const * b) icon_pressed.set_at((x, y), (r, g, b)) return icon_pressed
get_darker_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n icon_pressed = self.icon.copy()\n for x in range(self.w):\n for y in range(self.h):\n r, g, b, *_ = tuple(self.icon.get_at((x, y)))\n const = 0.8\n r = int(const * r)\n g = int(const * g)\n b = int(const * b)\n icon_pressed.set_at((x, y), (r, g, b))\n return icon_pressed\n", "role": "user" }, { "content": "get_darker_image", "role": "assistant" } ]
def x(self, surf): if self.clicked: icon = self.icon_pressed else: icon = self.icon surf.blit(icon, self)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, surf):\n if self.clicked:\n icon = self.icon_pressed\n else:\n icon = self.icon\n surf.blit(icon, self)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self, value): value = min(self.max, max(self.min, value)) self._value = value start_new_thread(self.func, (self.get(),))
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n value = min(self.max, max(self.min, value))\n self._value = value\n start_new_thread(self.func, (self.get(),))\n", "role": "user" }, { "content": "set", "role": "assistant" } ]
def x(self): last_call = 42 while self._focus: sleep(1 / 100) mouse = pygame.mouse.get_pos() last_value = self.get() self.value_px = mouse[0] if self.get() == last_value: continue if last_call + self.interval / 1000 < time(): last_call = time() self.func(self.get())
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n last_call = 42\n while self._focus:\n sleep(1 / 100)\n mouse = pygame.mouse.get_pos()\n last_value = self.get()\n self.value_px = mouse[0]\n if self.get() == last_value:\n continue\n if last_call + self.interval / 1000 < time():\n last_call = time()\n self.func(self.get())\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): step = self.w / (self.max - self.min) return self.x + step * (self.get() - self.min)
value_px
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n step = self.w / (self.max - self.min)\n return self.x + step * (self.get() - self.min)\n", "role": "user" }, { "content": "value_px", "role": "assistant" } ]
def x(self, display): bar_rect = pygame.Rect(0, 0, self.width, self.height // 3) bar_rect.center = self.center display.fill(self.bg_color, bar_rect) circle(display, (self.value_px, self.centery), self.height // 2, self.color ) if self.show_val: self.text_val.render(display)
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 bar_rect = pygame.Rect(0, 0, self.width, self.height // 3)\n bar_rect.center = self.center\n display.fill(self.bg_color, bar_rect)\n circle(display, (self.value_px, self.centery), self.height // 2, self.color\n )\n if self.show_val:\n self.text_val.render(display)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self): width, height = self.size super(BaseWidget, self).__setattr__('width', width) super(BaseWidget, self).__setattr__('height', height) super(BaseWidget, self).__setattr__(self.anchor, self.pos)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n width, height = self.size\n super(BaseWidget, self).__setattr__('width', width)\n super(BaseWidget, self).__setattr__('height', height)\n super(BaseWidget, self).__setattr__(self.anchor, self.pos)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(specifier): try: for distro in require(specifier): distro.activate() except (VersionConflict, DistributionNotFound): raise RuntimeError( 'The installed version of pip is too old; peep requires ' + specifier)
activate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(specifier):\n try:\n for distro in require(specifier):\n distro.activate()\n except (VersionConflict, DistributionNotFound):\n raise RuntimeError(\n 'The installed version of pip is too old; peep requires ' +\n specifier)\n", "role": "user" }, { "content": "activate", "role": "assistant" } ]
def x(req): path, line = re.match('-r (.*) \\(line (\\d+)\\)$', req.comes_from).groups( ) return path, int(line)
path_and_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(req):\n path, line = re.match('-r (.*) \\\\(line (\\\\d+)\\\\)$', req.comes_from).groups(\n )\n return path, int(line)\n", "role": "user" }, { "content": "path_and_line", "role": "assistant" } ]
def x(path, line_number): def x(path): hashes = [] with open(path) as file: for lineno, line in enumerate(file, 1): match = HASH_COMMENT_RE.match(line) if match: hashes.append(match.groupdict()['hash']) if not IGNORED_LINE_RE.match(line): yield hashes hashes = [] elif PIP_COUNTS_COMMENTS: yield [] return next(islice(hash_lists(path), line_number - 1, None))
hashes_above
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, line_number):\n\n def x(path):\n hashes = []\n with open(path) as file:\n for lineno, line in enumerate(file, 1):\n match = HASH_COMMENT_RE.match(line)\n if match:\n hashes.append(match.groupdict()['hash'])\n if not IGNORED_LINE_RE.match(line):\n yield hashes\n hashes = []\n elif PIP_COUNTS_COMMENTS:\n yield []\n return next(islice(hash_lists(path), line_number - 1, None))\n", "role": "user" }, { "content": "hashes_above", "role": "assistant" } ]
def x(initial_args): status_code = pip.main(initial_args) logger.consumers = [] if status_code: raise PipException(status_code)
run_pip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(initial_args):\n status_code = pip.main(initial_args)\n logger.consumers = []\n if status_code:\n raise PipException(status_code)\n", "role": "user" }, { "content": "run_pip", "role": "assistant" } ]
def x(path): with open(path, 'rb') as archive: sha = sha256() while True: data = archive.read(2 ** 20) if not data: break sha.update(data) return encoded_hash(sha)
hash_of_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n with open(path, 'rb') as archive:\n sha = sha256()\n while True:\n data = archive.read(2 ** 20)\n if not data:\n break\n sha.update(data)\n return encoded_hash(sha)\n", "role": "user" }, { "content": "hash_of_file", "role": "assistant" } ]
def x(argv, want_paths=False, want_other=False): was_r = False for arg in argv: if was_r: if want_paths: yield arg was_r = False elif arg in ['-r', '--requirement']: was_r = True elif want_other: yield arg
requirement_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv, want_paths=False, want_other=False):\n was_r = False\n for arg in argv:\n if was_r:\n if want_paths:\n yield arg\n was_r = False\n elif arg in ['-r', '--requirement']:\n was_r = True\n elif want_other:\n yield arg\n", "role": "user" }, { "content": "requirement_args", "role": "assistant" } ]
def x(argv): parser = OptionParser(usage='usage: %prog hash file [file ...]', description= 'Print a peep hash line for one or more files: for example, "# sha256: oz42dZy6Gowxw8AelDtO4gRgTW_xPdooH484k7I5EOY".' ) _, paths = parser.parse_args(args=argv) if paths: for path in paths: print('# sha256:', hash_of_file(path)) return ITS_FINE_ITS_FINE else: parser.print_usage() return COMMAND_LINE_ERROR
peep_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv):\n parser = OptionParser(usage='usage: %prog hash file [file ...]',\n description=\n 'Print a peep hash line for one or more files: for example, \"# sha256: oz42dZy6Gowxw8AelDtO4gRgTW_xPdooH484k7I5EOY\".'\n )\n _, paths = parser.parse_args(args=argv)\n if paths:\n for path in paths:\n print('# sha256:', hash_of_file(path))\n return ITS_FINE_ITS_FINE\n else:\n parser.print_usage()\n return COMMAND_LINE_ERROR\n", "role": "user" }, { "content": "peep_hash", "role": "assistant" } ]
def x(func): @wraps(func) def x(self): if not hasattr(self, '_cache'): self._cache = {} if func.__name__ not in self._cache: self._cache[func.__name__] = func(self) return self._cache[func.__name__] return memoizer
memoize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(self):\n if not hasattr(self, '_cache'):\n self._cache = {}\n if func.__name__ not in self._cache:\n self._cache[func.__name__] = func(self)\n return self._cache[func.__name__]\n return memoizer\n", "role": "user" }, { "content": "memoize", "role": "assistant" } ]
def x(argv): try: command = InstallCommand() except TypeError: from pip.baseparser import create_main_parser command = InstallCommand(create_main_parser()) options, _ = loads(dumps(command.parser)).parse_args(argv) possible_options = ['find_links', FORMAT_CONTROL_ARG, ( 'allow_all_prereleases', 'pre'), 'process_dependency_links'] kwargs = {} for option in possible_options: kw, attr = option if isinstance(option, tuple) else (option, option) value = getattr(options, attr, MARKER) if value is not MARKER: kwargs[kw] = value index_urls = [options.index_url] + options.extra_index_urls if options.no_index: index_urls = [] index_urls += getattr(options, 'mirrors', []) if hasattr(command, '_build_session'): kwargs['session'] = command._build_session(options) return PackageFinder(index_urls=index_urls, **kwargs)
package_finder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv):\n try:\n command = InstallCommand()\n except TypeError:\n from pip.baseparser import create_main_parser\n command = InstallCommand(create_main_parser())\n options, _ = loads(dumps(command.parser)).parse_args(argv)\n possible_options = ['find_links', FORMAT_CONTROL_ARG, (\n 'allow_all_prereleases', 'pre'), 'process_dependency_links']\n kwargs = {}\n for option in possible_options:\n kw, attr = option if isinstance(option, tuple) else (option, option)\n value = getattr(options, attr, MARKER)\n if value is not MARKER:\n kwargs[kw] = value\n index_urls = [options.index_url] + options.extra_index_urls\n if options.no_index:\n index_urls = []\n index_urls += getattr(options, 'mirrors', [])\n if hasattr(command, '_build_session'):\n kwargs['session'] = command._build_session(options)\n return PackageFinder(index_urls=index_urls, **kwargs)\n", "role": "user" }, { "content": "package_finder", "role": "assistant" } ]
def x(things, key): ret = defaultdict(list) for thing in things: ret[key(thing)].append(thing) return ret
bucket
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(things, key):\n ret = defaultdict(list)\n for thing in things:\n ret[key(thing)].append(thing)\n return ret\n", "role": "user" }, { "content": "bucket", "role": "assistant" } ]
def x(iterable, first, every, last): did_first = False for item in iterable: if not did_first: did_first = True first(item) every(item) if did_first: last(item)
first_every_last
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable, first, every, last):\n did_first = False\n for item in iterable:\n if not did_first:\n did_first = True\n first(item)\n every(item)\n if did_first:\n last(item)\n", "role": "user" }, { "content": "first_every_last", "role": "assistant" } ]
def x(path, argv): finder = package_finder(argv) return [DownloadedReq(req, argv, finder) for req in _parse_requirements (path, finder)]
downloaded_reqs_from_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, argv):\n finder = package_finder(argv)\n return [DownloadedReq(req, argv, finder) for req in _parse_requirements\n (path, finder)]\n", "role": "user" }, { "content": "downloaded_reqs_from_path", "role": "assistant" } ]
def x(argv): output = [] out = output.append reqs = [] try: req_paths = list(requirement_args(argv, want_paths=True)) if not req_paths: out("""You have to specify one or more requirements files with the -r option, because otherwise there's nowhere for peep to look up the hashes. """ ) return COMMAND_LINE_ERROR reqs = list(chain.from_iterable(downloaded_reqs_from_path(path, argv) for path in req_paths)) buckets = bucket(reqs, lambda r: r.__class__) if any(buckets[b] for b in ERROR_CLASSES): out('\n') printers = lambda r: out(r.head()), lambda r: out(r.error() + '\n' ), lambda r: out(r.foot()) for c in ERROR_CLASSES: first_every_last(buckets[c], *printers) if any(buckets[b] for b in ERROR_CLASSES): out('-------------------------------\nNot proceeding to installation.\n' ) return SOMETHING_WENT_WRONG else: for req in buckets[InstallableReq]: req.install() first_every_last(buckets[SatisfiedReq], *printers) return ITS_FINE_ITS_FINE except (UnsupportedRequirementError, InstallationError, DownloadError ) as exc: out(str(exc)) return SOMETHING_WENT_WRONG finally: for req in reqs: req.dispose() print(''.join(output))
peep_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv):\n output = []\n out = output.append\n reqs = []\n try:\n req_paths = list(requirement_args(argv, want_paths=True))\n if not req_paths:\n out(\"\"\"You have to specify one or more requirements files with the -r option, because\notherwise there's nowhere for peep to look up the hashes.\n\"\"\"\n )\n return COMMAND_LINE_ERROR\n reqs = list(chain.from_iterable(downloaded_reqs_from_path(path,\n argv) for path in req_paths))\n buckets = bucket(reqs, lambda r: r.__class__)\n if any(buckets[b] for b in ERROR_CLASSES):\n out('\\n')\n printers = lambda r: out(r.head()), lambda r: out(r.error() + '\\n'\n ), lambda r: out(r.foot())\n for c in ERROR_CLASSES:\n first_every_last(buckets[c], *printers)\n if any(buckets[b] for b in ERROR_CLASSES):\n out('-------------------------------\\nNot proceeding to installation.\\n'\n )\n return SOMETHING_WENT_WRONG\n else:\n for req in buckets[InstallableReq]:\n req.install()\n first_every_last(buckets[SatisfiedReq], *printers)\n return ITS_FINE_ITS_FINE\n except (UnsupportedRequirementError, InstallationError, DownloadError\n ) as exc:\n out(str(exc))\n return SOMETHING_WENT_WRONG\n finally:\n for req in reqs:\n req.dispose()\n print(''.join(output))\n", "role": "user" }, { "content": "peep_install", "role": "assistant" } ]
def x(paths): if not paths: print( 'Please specify one or more requirements files so I have something to port.\n' ) return COMMAND_LINE_ERROR comes_from = None for req in chain.from_iterable(_parse_requirements(path, package_finder (argv)) for path in paths): req_path, req_line = path_and_line(req) hashes = [hexlify(urlsafe_b64decode((hash + '=').encode('ascii'))). decode('ascii') for hash in hashes_above(req_path, req_line)] if req_path != comes_from: print() print('# from %s' % req_path) print() comes_from = req_path if not hashes: print(req.req) else: print('%s' % (req.link if getattr(req, 'link', None) else req. req), end='') for hash in hashes: print(' \\') print(' --hash=sha256:%s' % hash, end='') print()
peep_port
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths):\n if not paths:\n print(\n 'Please specify one or more requirements files so I have something to port.\\n'\n )\n return COMMAND_LINE_ERROR\n comes_from = None\n for req in chain.from_iterable(_parse_requirements(path, package_finder\n (argv)) for path in paths):\n req_path, req_line = path_and_line(req)\n hashes = [hexlify(urlsafe_b64decode((hash + '=').encode('ascii'))).\n decode('ascii') for hash in hashes_above(req_path, req_line)]\n if req_path != comes_from:\n print()\n print('# from %s' % req_path)\n print()\n comes_from = req_path\n if not hashes:\n print(req.req)\n else:\n print('%s' % (req.link if getattr(req, 'link', None) else req.\n req), end='')\n for hash in hashes:\n print(' \\\\')\n print(' --hash=sha256:%s' % hash, end='')\n print()\n", "role": "user" }, { "content": "peep_port", "role": "assistant" } ]
def x(): commands = {'hash': peep_hash, 'install': peep_install, 'port': peep_port} try: if len(argv) >= 2 and argv[1] in commands: return commands[argv[1]](argv[2:]) else: return pip.main() except PipException as exc: return exc.error_code
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n commands = {'hash': peep_hash, 'install': peep_install, 'port': peep_port}\n try:\n if len(argv) >= 2 and argv[1] in commands:\n return commands[argv[1]](argv[2:])\n else:\n return pip.main()\n except PipException as exc:\n return exc.error_code\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self): def x(filename, package_name): for ext in ARCHIVE_EXTENSIONS: if filename.endswith(ext): filename = filename[:-len(ext)] break if is_git_sha(filename): filename = package_name + '-' + filename if not filename.lower().replace('_', '-').startswith(package_name. lower()): give_up(filename, package_name) return filename[len(package_name) + 1:] def x(filename, package_name): whl_package_name, version, _rest = filename.split('-', 2) our_package_name = re.sub('[^\\w\\d.]+', '_', package_name, re.UNICODE) if whl_package_name != our_package_name: give_up(filename, whl_package_name) return version def x(filename, package_name): raise RuntimeError( "The archive '%s' didn't start with the package name '%s', so I couldn't figure out the version number. My bad; improve me." % (filename, package_name)) get_version = version_of_wheel if self._downloaded_filename().endswith( '.whl') else version_of_archive return get_version(self._downloaded_filename(), self._project_name())
version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(filename, package_name):\n for ext in ARCHIVE_EXTENSIONS:\n if filename.endswith(ext):\n filename = filename[:-len(ext)]\n break\n if is_git_sha(filename):\n filename = package_name + '-' + filename\n if not filename.lower().replace('_', '-').startswith(package_name.\n lower()):\n give_up(filename, package_name)\n return filename[len(package_name) + 1:]\n\n def x(filename, package_name):\n whl_package_name, version, _rest = filename.split('-', 2)\n our_package_name = re.sub('[^\\\\w\\\\d.]+', '_', package_name, re.UNICODE)\n if whl_package_name != our_package_name:\n give_up(filename, whl_package_name)\n return version\n\n def x(filename, package_name):\n raise RuntimeError(\n \"The archive '%s' didn't start with the package name '%s', so I couldn't figure out the version number. My bad; improve me.\"\n % (filename, package_name))\n get_version = version_of_wheel if self._downloaded_filename().endswith(\n '.whl') else version_of_archive\n return get_version(self._downloaded_filename(), self._project_name())\n", "role": "user" }, { "content": "version", "role": "assistant" } ]
def x(self): url = self._url() if url: filename = filename_from_url(url) if filename.endswith(ARCHIVE_EXTENSIONS): filename, ext = splitext(filename) if is_git_sha(filename): return True return False
is_always_unsatisfied
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = self._url()\n if url:\n filename = filename_from_url(url)\n if filename.endswith(ARCHIVE_EXTENSIONS):\n filename, ext = splitext(filename)\n if is_git_sha(filename):\n return True\n return False\n", "role": "user" }, { "content": "is_always_unsatisfied", "role": "assistant" } ]
def x(self, link): def x(is_https): if is_https: opener = build_opener(HTTPSHandler()) for handler in opener.handlers: if isinstance(handler, HTTPHandler): opener.handlers.remove(handler) else: opener = build_opener() return opener def x(link, response): content_type = response.info().get('content-type', '') filename = link.filename content_disposition = response.info().get('content-disposition') if content_disposition: type, params = cgi.parse_header(content_disposition) filename = params.get('filename') or filename ext = splitext(filename)[1] if not ext: ext = mimetypes.guess_extension(content_type) if ext: filename += ext if not ext and link.url != response.geturl(): ext = splitext(response.geturl())[1] if ext: filename += ext return filename def x(response, path, size=0): def x(chunk_size): while True: chunk = response.read(chunk_size) if not chunk: break yield chunk print('Downloading %s%s...' % (self._req.req, ' (%sK)' % (size / 1000) if size > 1000 else '')) progress_indicator = DownloadProgressBar(max=size ).iter if size else DownloadProgressSpinner().iter with open(path, 'wb') as file: for chunk in progress_indicator(response_chunks(4096), 4096): file.write(chunk) url = link.url.split('#', 1)[0] try: response = opener(urlparse(url).scheme != 'http').open(url) except (HTTPError, IOError) as exc: raise DownloadError(link, exc) filename = best_filename(link, response) try: size = int(response.headers['content-length']) except (ValueError, KeyError, TypeError): size = 0 pipe_to_file(response, join(self._temp_path, filename), size=size) return filename
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link):\n\n def x(is_https):\n if is_https:\n opener = build_opener(HTTPSHandler())\n for handler in opener.handlers:\n if isinstance(handler, HTTPHandler):\n opener.handlers.remove(handler)\n else:\n opener = build_opener()\n return opener\n\n def x(link, response):\n content_type = response.info().get('content-type', '')\n filename = link.filename\n content_disposition = response.info().get('content-disposition')\n if content_disposition:\n type, params = cgi.parse_header(content_disposition)\n filename = params.get('filename') or filename\n ext = splitext(filename)[1]\n if not ext:\n ext = mimetypes.guess_extension(content_type)\n if ext:\n filename += ext\n if not ext and link.url != response.geturl():\n ext = splitext(response.geturl())[1]\n if ext:\n filename += ext\n return filename\n\n def x(response, path, size=0):\n\n def x(chunk_size):\n while True:\n chunk = response.read(chunk_size)\n if not chunk:\n break\n yield chunk\n print('Downloading %s%s...' % (self._req.req, ' (%sK)' % (size / \n 1000) if size > 1000 else ''))\n progress_indicator = DownloadProgressBar(max=size\n ).iter if size else DownloadProgressSpinner().iter\n with open(path, 'wb') as file:\n for chunk in progress_indicator(response_chunks(4096), 4096):\n file.write(chunk)\n url = link.url.split('#', 1)[0]\n try:\n response = opener(urlparse(url).scheme != 'http').open(url)\n except (HTTPError, IOError) as exc:\n raise DownloadError(link, exc)\n filename = best_filename(link, response)\n try:\n size = int(response.headers['content-length'])\n except (ValueError, KeyError, TypeError):\n size = 0\n pipe_to_file(response, join(self._temp_path, filename), size=size)\n return filename\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(self): link = self._link() or self._finder.find_requirement(self._req, upgrade =False) if link: lower_scheme = link.scheme.lower() if lower_scheme == 'http' or lower_scheme == 'https': file_path = self._download(link) return basename(file_path) elif lower_scheme == 'file': link_path = url_to_path(link.url_without_fragment) if isdir(link_path): raise UnsupportedRequirementError( '%s: %s is a directory. So that it can compute a hash, peep supports only filesystem paths which point to files' % (self._req, link.url_without_fragment)) else: copy(link_path, self._temp_path) return basename(link_path) else: raise UnsupportedRequirementError( '%s: The download link, %s, would not result in a file that can be hashed. Peep supports only == requirements, file:// URLs pointing to files (not folders), and http:// and https:// URLs pointing to tarballs, zips, etc.' % (self._req, link.url)) else: raise UnsupportedRequirementError( "%s: couldn't determine where to download this requirement from." % (self._req,))
downloaded_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n link = self._link() or self._finder.find_requirement(self._req, upgrade\n =False)\n if link:\n lower_scheme = link.scheme.lower()\n if lower_scheme == 'http' or lower_scheme == 'https':\n file_path = self._download(link)\n return basename(file_path)\n elif lower_scheme == 'file':\n link_path = url_to_path(link.url_without_fragment)\n if isdir(link_path):\n raise UnsupportedRequirementError(\n '%s: %s is a directory. So that it can compute a hash, peep supports only filesystem paths which point to files'\n % (self._req, link.url_without_fragment))\n else:\n copy(link_path, self._temp_path)\n return basename(link_path)\n else:\n raise UnsupportedRequirementError(\n '%s: The download link, %s, would not result in a file that can be hashed. Peep supports only == requirements, file:// URLs pointing to files (not folders), and http:// and https:// URLs pointing to tarballs, zips, etc.'\n % (self._req, link.url))\n else:\n raise UnsupportedRequirementError(\n \"%s: couldn't determine where to download this requirement from.\" %\n (self._req,))\n", "role": "user" }, { "content": "downloaded_filename", "role": "assistant" } ]
def x(self): other_args = list(requirement_args(self._argv, want_other=True)) archive_path = join(self._temp_path, self._downloaded_filename()) run_pip(['install'] + other_args + ['--no-deps', '-U', archive_path])
install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n other_args = list(requirement_args(self._argv, want_other=True))\n archive_path = join(self._temp_path, self._downloaded_filename())\n run_pip(['install'] + other_args + ['--no-deps', '-U', archive_path])\n", "role": "user" }, { "content": "install", "role": "assistant" } ]
def x(self): name = getattr(self._req.req, 'project_name', '') if name: return name name = getattr(self._req.req, 'name', '') if name: return safe_name(name) raise ValueError('Requirement has no project_name.')
project_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n name = getattr(self._req.req, 'project_name', '')\n if name:\n return name\n name = getattr(self._req.req, 'name', '')\n if name:\n return safe_name(name)\n raise ValueError('Requirement has no project_name.')\n", "role": "user" }, { "content": "project_name", "role": "assistant" } ]
def x(self): try: self._project_name() except ValueError: return MalformedReq if self._is_satisfied(): return SatisfiedReq if not self._expected_hashes(): return MissingReq if self._actual_hash() not in self._expected_hashes(): return MismatchedReq return InstallableReq
class
[ { "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._project_name()\n except ValueError:\n return MalformedReq\n if self._is_satisfied():\n return SatisfiedReq\n if not self._expected_hashes():\n return MissingReq\n if self._actual_hash() not in self._expected_hashes():\n return MismatchedReq\n return InstallableReq\n", "role": "user" }, { "content": "class", "role": "assistant" } ]
def x(self): for k in iter(self.__dict__.keys()): if k not in self.__allowed: raise TypeError('Parameter not allowed {}'.format(k)) for k in self.__requiered: if k not in self.__dict__: raise TypeError('Requiered parameter not found {}'.format(k)) if not isinstance(self.units, (int, float)): msg = "Unit must be either int or float, '{}'' found".format(type( self.units)) raise TypeError(msg) if self.side not in self.__side: msg = "Side must be in {1}, '{0}' found".format(self.side, self.__side) raise TypeError(msg) if self.type not in self.__type: msg = "Type must be in {1}, '{0}' found".format(self.type, self.__type) raise TypeError(msg) if not self.type == 'market' and (not hasattr(self, 'expiry') or not hasattr(self, 'price')): msg = 'As type is {}, expiry and price must be provided'.format(self .type) raise TypeError(msg) if hasattr(self, 'expiry') and not isinstance(self.expiry, datetime): msg = "Expiry must be {1}, '{0}' found".format(type(self.expiry), datetime) raise TypeError(msg) if hasattr(self, 'price'): try: Decimal(self.price) except InvalidOperation: msg = "Expiry must be int or float, '{0}' found".format(type( self.price)) raise TypeError(msg) return True
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for k in iter(self.__dict__.keys()):\n if k not in self.__allowed:\n raise TypeError('Parameter not allowed {}'.format(k))\n for k in self.__requiered:\n if k not in self.__dict__:\n raise TypeError('Requiered parameter not found {}'.format(k))\n if not isinstance(self.units, (int, float)):\n msg = \"Unit must be either int or float, '{}'' found\".format(type(\n self.units))\n raise TypeError(msg)\n if self.side not in self.__side:\n msg = \"Side must be in {1}, '{0}' found\".format(self.side, self.__side)\n raise TypeError(msg)\n if self.type not in self.__type:\n msg = \"Type must be in {1}, '{0}' found\".format(self.type, self.__type)\n raise TypeError(msg)\n if not self.type == 'market' and (not hasattr(self, 'expiry') or not\n hasattr(self, 'price')):\n msg = 'As type is {}, expiry and price must be provided'.format(self\n .type)\n raise TypeError(msg)\n if hasattr(self, 'expiry') and not isinstance(self.expiry, datetime):\n msg = \"Expiry must be {1}, '{0}' found\".format(type(self.expiry),\n datetime)\n raise TypeError(msg)\n if hasattr(self, 'price'):\n try:\n Decimal(self.price)\n except InvalidOperation:\n msg = \"Expiry must be int or float, '{0}' found\".format(type(\n self.price))\n raise TypeError(msg)\n return True\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(): global SCREEN_SIZE os.environ['SDL_VIDEO_CENTERED'] = '1' screen = new_widow() pygame.display.set_caption('Client swag') pygame.event.set_allowed([QUIT, KEYDOWN, MOUSEBUTTONDOWN]) clock = pygame.time.Clock() bound = Rectangle((0, 0), SCREEN_SIZE, BLUE, Rectangle.BORDER) login = InLineTextBox((5, 1), 200, MIDNIGHT_BLUE, anchor=TOPLEFT, default_text='Login: ') passw = InLinePassBox(login.topright + Sep(5, 0), 200, MIDNIGHT_BLUE, anchor=TOPLEFT, default_text='Password: ') def x(): print('Signed up !') print('login:', login.text) print('pass:', passw.text) def x(): print('Signed in !') print('login:', login.text) print('pass:', passw.text) style = Button.NO_ROUNDING | Button.NO_MOVE | Button.NO_SHADOW sign_up = Button(sup, passw.topright + Sep(5, 0), (100, passw.height), 'Sign Up', YELLOW, anchor=TOPLEFT, flags=style) sign_in = Button(sin, sign_up.topright, (100, passw.height), 'Sign In', GREEN, anchor=TOPLEFT, flags=style) focus = FocusSelector(login, passw, sign_up, sign_in) focus.select(0) while True: mouse = pygame.mouse.get_pos() for e in pygame.event.get(): if e.type == QUIT: return 0 elif e.type == KEYDOWN: if e.key == K_ESCAPE: return 0 elif e.key == K_F4 and e.mod & KMOD_ALT: return 0 elif e.key == K_TAB: if e.mod & KMOD_SHIFT: focus.prev() else: focus.next() elif e.key == K_RETURN: if focus.selected() in (sign_up, sign_in): print(focus.selected()) focus.selected().click(40) else: focus.next() else: focus.selected().update(e) elif e.type == VIDEORESIZE: SCREEN_SIZE = e.size screen = new_widow() elif e.type == MOUSEBUTTONDOWN: if mouse in login: focus.select(login) elif mouse in passw: focus.select(passw) elif mouse in sign_up: sign_up.click() elif mouse in sign_in: sign_in.click() elif e.type == MOUSEBUTTONUP: sign_in.release() sign_up.release() screen.fill(WHITE) bound.render(screen) login.render(screen) passw.render(screen) line(screen, login.topright + Sep(2, 0), login.bottomright + Sep(2, 0), BLUE) sign_up.render(screen) sign_in.render(screen) pygame.display.update() clock.tick(FPS)
gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global SCREEN_SIZE\n os.environ['SDL_VIDEO_CENTERED'] = '1'\n screen = new_widow()\n pygame.display.set_caption('Client swag')\n pygame.event.set_allowed([QUIT, KEYDOWN, MOUSEBUTTONDOWN])\n clock = pygame.time.Clock()\n bound = Rectangle((0, 0), SCREEN_SIZE, BLUE, Rectangle.BORDER)\n login = InLineTextBox((5, 1), 200, MIDNIGHT_BLUE, anchor=TOPLEFT,\n default_text='Login: ')\n passw = InLinePassBox(login.topright + Sep(5, 0), 200, MIDNIGHT_BLUE,\n anchor=TOPLEFT, default_text='Password: ')\n\n def x():\n print('Signed up !')\n print('login:', login.text)\n print('pass:', passw.text)\n\n def x():\n print('Signed in !')\n print('login:', login.text)\n print('pass:', passw.text)\n style = Button.NO_ROUNDING | Button.NO_MOVE | Button.NO_SHADOW\n sign_up = Button(sup, passw.topright + Sep(5, 0), (100, passw.height),\n 'Sign Up', YELLOW, anchor=TOPLEFT, flags=style)\n sign_in = Button(sin, sign_up.topright, (100, passw.height), 'Sign In',\n GREEN, anchor=TOPLEFT, flags=style)\n focus = FocusSelector(login, passw, sign_up, sign_in)\n focus.select(0)\n while True:\n mouse = pygame.mouse.get_pos()\n for e in pygame.event.get():\n if e.type == QUIT:\n return 0\n elif e.type == KEYDOWN:\n if e.key == K_ESCAPE:\n return 0\n elif e.key == K_F4 and e.mod & KMOD_ALT:\n return 0\n elif e.key == K_TAB:\n if e.mod & KMOD_SHIFT:\n focus.prev()\n else:\n focus.next()\n elif e.key == K_RETURN:\n if focus.selected() in (sign_up, sign_in):\n print(focus.selected())\n focus.selected().click(40)\n else:\n focus.next()\n else:\n focus.selected().update(e)\n elif e.type == VIDEORESIZE:\n SCREEN_SIZE = e.size\n screen = new_widow()\n elif e.type == MOUSEBUTTONDOWN:\n if mouse in login:\n focus.select(login)\n elif mouse in passw:\n focus.select(passw)\n elif mouse in sign_up:\n sign_up.click()\n elif mouse in sign_in:\n sign_in.click()\n elif e.type == MOUSEBUTTONUP:\n sign_in.release()\n sign_up.release()\n screen.fill(WHITE)\n bound.render(screen)\n login.render(screen)\n passw.render(screen)\n line(screen, login.topright + Sep(2, 0), login.bottomright + Sep(2,\n 0), BLUE)\n sign_up.render(screen)\n sign_in.render(screen)\n pygame.display.update()\n clock.tick(FPS)\n", "role": "user" }, { "content": "gui", "role": "assistant" } ]
def x(): global SCREEN_SIZE os.environ['SDL_VIDEO_CENTERED'] = '1' screen = new_screen() pygame.display.set_caption('Empty project') pygame.event.set_allowed([QUIT, KEYDOWN, MOUSEBUTTONDOWN]) clock = pygame.time.Clock() fps = FPSIndicator(clock) while True: for e in pygame.event.get(): if e.type == QUIT: return 0 elif e.type == KEYDOWN: if e.key == K_ESCAPE: return 0 if e.key == K_F4 and e.mod & KMOD_ALT: return 0 if e.type == VIDEORESIZE: SCREEN_SIZE = e.size screen = new_screen() screen.fill(WHITE) fps.render(screen) pygame.display.update() clock.tick(FPS)
gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global SCREEN_SIZE\n os.environ['SDL_VIDEO_CENTERED'] = '1'\n screen = new_screen()\n pygame.display.set_caption('Empty project')\n pygame.event.set_allowed([QUIT, KEYDOWN, MOUSEBUTTONDOWN])\n clock = pygame.time.Clock()\n fps = FPSIndicator(clock)\n while True:\n for e in pygame.event.get():\n if e.type == QUIT:\n return 0\n elif e.type == KEYDOWN:\n if e.key == K_ESCAPE:\n return 0\n if e.key == K_F4 and e.mod & KMOD_ALT:\n return 0\n if e.type == VIDEORESIZE:\n SCREEN_SIZE = e.size\n screen = new_screen()\n screen.fill(WHITE)\n fps.render(screen)\n pygame.display.update()\n clock.tick(FPS)\n", "role": "user" }, { "content": "gui", "role": "assistant" } ]
def x(self, uri, params=None, method='get', stream=False): if not hasattr(self, 'session') or not self.session: self.session = requests.Session() if self.access_token: self.session.headers.update({'Authorization': 'Bearer {}'. format(self.access_token)}) if params: params = {k: v for k, v in params.items() if v is not None} kwargs = {'url': uri, 'verify': True, 'stream': stream} kwargs['params' if method == 'get' else 'data'] = params return getattr(self.session, method)(**kwargs)
get_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uri, params=None, method='get', stream=False):\n if not hasattr(self, 'session') or not self.session:\n self.session = requests.Session()\n if self.access_token:\n self.session.headers.update({'Authorization': 'Bearer {}'.\n format(self.access_token)})\n if params:\n params = {k: v for k, v in params.items() if v is not None}\n kwargs = {'url': uri, 'verify': True, 'stream': stream}\n kwargs['params' if method == 'get' else 'data'] = params\n return getattr(self.session, method)(**kwargs)\n", "role": "user" }, { "content": "get_response", "role": "assistant" } ]
def x(self, uri, params=None, method='get'): try: resp = self.__get_response(uri, params, method, False) rjson = resp.json(**self.json_options) assert resp.ok except AssertionError: msg = 'OCode-{}: {}'.format(resp.status_code, rjson['message']) raise BadRequest(msg) except Exception as e: msg = 'Bad response: {}'.format(e) log.error(msg, exc_info=True) raise BadRequest(msg) else: return rjson
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uri, params=None, method='get'):\n try:\n resp = self.__get_response(uri, params, method, False)\n rjson = resp.json(**self.json_options)\n assert resp.ok\n except AssertionError:\n msg = 'OCode-{}: {}'.format(resp.status_code, rjson['message'])\n raise BadRequest(msg)\n except Exception as e:\n msg = 'Bad response: {}'.format(e)\n log.error(msg, exc_info=True)\n raise BadRequest(msg)\n else:\n return rjson\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(self, uri, params=None, method='get'): try: resp = self.__get_response(uri, params, method, True) assert resp.ok except AssertionError: raise BadRequest(resp.status_code) except Exception as e: log.error('Bad response: {}'.format(e), exc_info=True) else: return resp
call_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uri, params=None, method='get'):\n try:\n resp = self.__get_response(uri, params, method, True)\n assert resp.ok\n except AssertionError:\n raise BadRequest(resp.status_code)\n except Exception as e:\n log.error('Bad response: {}'.format(e), exc_info=True)\n else:\n return resp\n", "role": "user" }, { "content": "call_stream", "role": "assistant" } ]
def x(self): url = '{0}/{1}/instruments'.format(self.domain, self.API_VERSION) params = {'accountId': self.account_id} try: response = self._Client__call(uri=url, params=params) assert len(response) > 0 return response except RequestException: return False except AssertionError: return False
get_instruments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = '{0}/{1}/instruments'.format(self.domain, self.API_VERSION)\n params = {'accountId': self.account_id}\n try:\n response = self._Client__call(uri=url, params=params)\n assert len(response) > 0\n return response\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "get_instruments", "role": "assistant" } ]
def x(self, instruments, stream=True): url = '{0}/{1}/prices'.format(self.domain_stream if stream else self. domain, self.API_VERSION) params = {'accountId': self.account_id, 'instruments': instruments} call = {'uri': url, 'params': params, 'method': 'get'} try: if stream: return self._Client__call_stream(**call) else: return self._Client__call(**call) except RequestException: return False except AssertionError: return False
get_prices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instruments, stream=True):\n url = '{0}/{1}/prices'.format(self.domain_stream if stream else self.\n domain, self.API_VERSION)\n params = {'accountId': self.account_id, 'instruments': instruments}\n call = {'uri': url, 'params': params, 'method': 'get'}\n try:\n if stream:\n return self._Client__call_stream(**call)\n else:\n return self._Client__call(**call)\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "get_prices", "role": "assistant" } ]
def x(self, instrument, candle_format='bidask', granularity='S5', count=500, daily_alignment=None, alignment_timezone=None, weekly_alignment= 'Monday', start=None, end=None): url = '{0}/{1}/candles'.format(self.domain, self.API_VERSION) params = {'accountId': self.account_id, 'instrument': instrument, 'candleFormat': candle_format, 'granularity': granularity, 'count': count, 'dailyAlignment': daily_alignment, 'alignmentTimezone': alignment_timezone, 'weeklyAlignment': weekly_alignment, 'start': start, 'end': end} try: return self._Client__call(uri=url, params=params, method='get') except RequestException: return False except AssertionError: return False
get_instrument_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instrument, candle_format='bidask', granularity='S5', count=500,\n daily_alignment=None, alignment_timezone=None, weekly_alignment=\n 'Monday', start=None, end=None):\n url = '{0}/{1}/candles'.format(self.domain, self.API_VERSION)\n params = {'accountId': self.account_id, 'instrument': instrument,\n 'candleFormat': candle_format, 'granularity': granularity, 'count':\n count, 'dailyAlignment': daily_alignment, 'alignmentTimezone':\n alignment_timezone, 'weeklyAlignment': weekly_alignment, 'start':\n start, 'end': end}\n try:\n return self._Client__call(uri=url, params=params, method='get')\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "get_instrument_history", "role": "assistant" } ]
def x(self, instrument=None, count=50): url = '{0}/{1}/accounts/{2}/orders'.format(self.domain, self. API_VERSION, self.account_id) params = {'instrument': instrument, 'count': count} try: return self._Client__call(uri=url, params=params, method='get') except RequestException: return False except AssertionError: return False
get_orders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instrument=None, count=50):\n url = '{0}/{1}/accounts/{2}/orders'.format(self.domain, self.\n API_VERSION, self.account_id)\n params = {'instrument': instrument, 'count': count}\n try:\n return self._Client__call(uri=url, params=params, method='get')\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "get_orders", "role": "assistant" } ]
def x(self, order_id): url = '{0}/{1}/accounts/{2}/orders/{3}'.format(self.domain, self. API_VERSION, self.account_id, order_id) try: return self._Client__call(uri=url, method='get') except RequestException: return False except AssertionError: return False
get_order
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order_id):\n url = '{0}/{1}/accounts/{2}/orders/{3}'.format(self.domain, self.\n API_VERSION, self.account_id, order_id)\n try:\n return self._Client__call(uri=url, method='get')\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "get_order", "role": "assistant" } ]
def x(self, order): url = '{0}/{1}/accounts/{2}/orders'.format(self.domain, self. API_VERSION, self.account_id) try: return self._Client__call(uri=url, params=order.__dict__, method='post' ) except RequestException: return False except AssertionError: return False
create_order
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order):\n url = '{0}/{1}/accounts/{2}/orders'.format(self.domain, self.\n API_VERSION, self.account_id)\n try:\n return self._Client__call(uri=url, params=order.__dict__, method='post'\n )\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "create_order", "role": "assistant" } ]
def x(self, max_id=None, count=None, instrument=None, ids=None): url = '{0}/{1}/accounts/{2}/trades'.format(self.domain, self. API_VERSION, self.account_id) params = {'maxId': int(max_id) if max_id and max_id > 0 else None, 'count': int(count) if count and count > 0 else None, 'instrument': instrument, 'ids': ','.join(ids) if ids else None} try: return self._Client__call(uri=url, params=params, method='get') except RequestException: return False except AssertionError: return False
get_trades
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, max_id=None, count=None, instrument=None, ids=None):\n url = '{0}/{1}/accounts/{2}/trades'.format(self.domain, self.\n API_VERSION, self.account_id)\n params = {'maxId': int(max_id) if max_id and max_id > 0 else None,\n 'count': int(count) if count and count > 0 else None, 'instrument':\n instrument, 'ids': ','.join(ids) if ids else None}\n try:\n return self._Client__call(uri=url, params=params, method='get')\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "get_trades", "role": "assistant" } ]
def x(self, trade_id, stop_loss=None, take_profit=None, trailing_stop=None): url = '{0}/{1}/accounts/{2}/trades/{3}'.format(self.domain, self. API_VERSION, self.account_id, trade_id) params = {'stopLoss': stop_loss, 'takeProfit': take_profit, 'trailingStop': trailing_stop} try: return self._Client__call(uri=url, params=params, method='patch') except RequestException: return False except AssertionError: return False raise NotImplementedError()
update_trade
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, trade_id, stop_loss=None, take_profit=None, trailing_stop=None):\n url = '{0}/{1}/accounts/{2}/trades/{3}'.format(self.domain, self.\n API_VERSION, self.account_id, trade_id)\n params = {'stopLoss': stop_loss, 'takeProfit': take_profit,\n 'trailingStop': trailing_stop}\n try:\n return self._Client__call(uri=url, params=params, method='patch')\n except RequestException:\n return False\n except AssertionError:\n return False\n raise NotImplementedError()\n", "role": "user" }, { "content": "update_trade", "role": "assistant" } ]
def x(self): url = '{0}/{1}/accounts/{2}/alltransactions'.format(self.domain, self. API_VERSION, self.account_id) try: resp = self.__get_response(url) return resp.headers['location'] except RequestException: return False except AssertionError: return False
request_transaction_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = '{0}/{1}/accounts/{2}/alltransactions'.format(self.domain, self.\n API_VERSION, self.account_id)\n try:\n resp = self.__get_response(url)\n return resp.headers['location']\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "request_transaction_history", "role": "assistant" } ]
def x(self, max_wait=5.0): url = self.request_transaction_history() if not url: return False ready = False start = time() delay = 0.1 while not ready and delay: response = requests.head(url) ready = response.ok if not ready: sleep(delay) time_remaining = max_wait - time() + start max_delay = max(0.0, time_remaining - 0.1) delay = min(delay * 2, max_delay) if not ready: return False response = requests.get(url) try: with ZipFile(BytesIO(response.content)) as container: files = container.namelist() if not files: log.error('Transaction ZIP has no files.') return False history = container.open(files[0]) raw = history.read().decode('ascii') except BadZipfile: log.error('Response is not a valid ZIP file', exc_info=True) return False return json.loads(raw, **self.json_options)
get_transaction_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, max_wait=5.0):\n url = self.request_transaction_history()\n if not url:\n return False\n ready = False\n start = time()\n delay = 0.1\n while not ready and delay:\n response = requests.head(url)\n ready = response.ok\n if not ready:\n sleep(delay)\n time_remaining = max_wait - time() + start\n max_delay = max(0.0, time_remaining - 0.1)\n delay = min(delay * 2, max_delay)\n if not ready:\n return False\n response = requests.get(url)\n try:\n with ZipFile(BytesIO(response.content)) as container:\n files = container.namelist()\n if not files:\n log.error('Transaction ZIP has no files.')\n return False\n history = container.open(files[0])\n raw = history.read().decode('ascii')\n except BadZipfile:\n log.error('Response is not a valid ZIP file', exc_info=True)\n return False\n return json.loads(raw, **self.json_options)\n", "role": "user" }, { "content": "get_transaction_history", "role": "assistant" } ]
def x(self, currency=None): url = '{0}/{1}/accounts'.format(self.domain, self.API_VERSION) params = {'currency': currency} try: return self._Client__call(uri=url, params=params, method='post') except RequestException: return False except AssertionError: return False
create_account
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, currency=None):\n url = '{0}/{1}/accounts'.format(self.domain, self.API_VERSION)\n params = {'currency': currency}\n try:\n return self._Client__call(uri=url, params=params, method='post')\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "create_account", "role": "assistant" } ]
def x(self, username=None): url = '{0}/{1}/accounts'.format(self.domain, self.API_VERSION) params = {'username': username} try: return self._Client__call(uri=url, params=params, method='get') except RequestException: return False except AssertionError: return False
get_accounts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username=None):\n url = '{0}/{1}/accounts'.format(self.domain, self.API_VERSION)\n params = {'username': username}\n try:\n return self._Client__call(uri=url, params=params, method='get')\n except RequestException:\n return False\n except AssertionError:\n return False\n", "role": "user" }, { "content": "get_accounts", "role": "assistant" } ]
def x(self): if not self.choosed: self.choosed = True self.pos = self.pos + Sep(5, 0)
choose
[ { "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.choosed:\n self.choosed = True\n self.pos = self.pos + Sep(5, 0)\n", "role": "user" }, { "content": "choose", "role": "assistant" } ]
def x(self): if self.choosed: self.choosed = False self.pos = self.pos + Sep(-5, 0)
stop_choose
[ { "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.choosed:\n self.choosed = False\n self.pos = self.pos + Sep(-5, 0)\n", "role": "user" }, { "content": "stop_choose", "role": "assistant" } ]
def x(self): if bw_contrasted(self._true_color, 30) == WHITE: color = mix(self._true_color, WHITE, 0.9) else: color = mix(self._true_color, BLACK, 0.9) return color
get_darker_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if bw_contrasted(self._true_color, 30) == WHITE:\n color = mix(self._true_color, WHITE, 0.9)\n else:\n color = mix(self._true_color, BLACK, 0.9)\n return color\n", "role": "user" }, { "content": "get_darker_color", "role": "assistant" } ]
def x(self, screen): self.rect.render(screen) super(MenuElement, self).render(screen)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, screen):\n self.rect.render(screen)\n super(MenuElement, self).render(screen)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(): zones = [ALL] last_zones = [] COLORS.remove(WHITE) screen = pygame.display.set_mode(SCREEN_SIZE, DOUBLEBUF) pygame.display.set_caption('Bezier simulator') pygame.event.set_allowed([QUIT, KEYDOWN, MOUSEBUTTONDOWN]) points = [(40, 40), (100, 400), (200, 100), (650, 420)] bezier = Bezier((0, 0), SCREEN_SIZE, points, ORANGE, 8) points = [Point(p, 24, choice(COLORS)) for p in points] clock = pygame.time.Clock() fps = FPSIndicator(clock) dragging = None render = True while True: mouse = pygame.mouse.get_pos() for e in pygame.event.get(): if e.type == QUIT: return 0 elif e.type == KEYDOWN: if e.key == K_ESCAPE: return 0 if e.key == K_F4 and e.mod & KMOD_ALT: return 0 elif e.type == MOUSEBUTTONDOWN: if e.button == 1: dragging = not dragging if e.button == 3: points.append(Point(mouse, 24, choice(COLORS))) bezier.points.append(V2(mouse)) render = True if dragging: mdist = 10000 the_p = None for i, p in enumerate(points): if p.dist_to(mouse) < mdist: mdist = p.dist_to(mouse) the_p = i render = points[the_p].pos != mouse points[the_p].pos = mouse bezier.points[the_p] = V2(mouse) if render: render = False screen.fill(WHITE) bezier.render(screen) for p in points: p.render(screen) zones.append(ALL) _ = fps.render(screen) zones.append(_) pygame.display.update(zones + last_zones) last_zones = zones[:] zones.clear() clock.tick(FPS)
gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n zones = [ALL]\n last_zones = []\n COLORS.remove(WHITE)\n screen = pygame.display.set_mode(SCREEN_SIZE, DOUBLEBUF)\n pygame.display.set_caption('Bezier simulator')\n pygame.event.set_allowed([QUIT, KEYDOWN, MOUSEBUTTONDOWN])\n points = [(40, 40), (100, 400), (200, 100), (650, 420)]\n bezier = Bezier((0, 0), SCREEN_SIZE, points, ORANGE, 8)\n points = [Point(p, 24, choice(COLORS)) for p in points]\n clock = pygame.time.Clock()\n fps = FPSIndicator(clock)\n dragging = None\n render = True\n while True:\n mouse = pygame.mouse.get_pos()\n for e in pygame.event.get():\n if e.type == QUIT:\n return 0\n elif e.type == KEYDOWN:\n if e.key == K_ESCAPE:\n return 0\n if e.key == K_F4 and e.mod & KMOD_ALT:\n return 0\n elif e.type == MOUSEBUTTONDOWN:\n if e.button == 1:\n dragging = not dragging\n if e.button == 3:\n points.append(Point(mouse, 24, choice(COLORS)))\n bezier.points.append(V2(mouse))\n render = True\n if dragging:\n mdist = 10000\n the_p = None\n for i, p in enumerate(points):\n if p.dist_to(mouse) < mdist:\n mdist = p.dist_to(mouse)\n the_p = i\n render = points[the_p].pos != mouse\n points[the_p].pos = mouse\n bezier.points[the_p] = V2(mouse)\n if render:\n render = False\n screen.fill(WHITE)\n bezier.render(screen)\n for p in points:\n p.render(screen)\n zones.append(ALL)\n _ = fps.render(screen)\n zones.append(_)\n pygame.display.update(zones + last_zones)\n last_zones = zones[:]\n zones.clear()\n clock.tick(FPS)\n", "role": "user" }, { "content": "gui", "role": "assistant" } ]
def x(): os.environ['SDL_VIDEO_CENTERED'] = '1' clock = pygame.time.Clock() screen = pygame.display.set_mode(SCREEN_SIZE, DOUBLEBUF | NOFRAME) pygame.event.set_allowed([QUIT, KEYDOWN, MOUSEBUTTONDOWN]) game = Morpion() run = True while run: mouse = pygame.mouse.get_pos() for e in pygame.event.get(): if e.type == QUIT: run = False elif e.type == KEYDOWN: if e.key == K_ESCAPE: run = False if e.key == K_F4 and e.mod & KMOD_ALT: return 0 elif e.type == MOUSEBUTTONDOWN: if e.button == 1: if pos_from_mouse(mouse): if game.is_full() or game.is_won(): game = Morpion() continue x, y = pos_from_mouse(mouse) try: game.play(x, y) except IndexError: pass if pos_from_mouse(mouse): x, y = pos_from_mouse(mouse) game.hint(x, y) screen.fill(WHITE) game.render(screen) pygame.display.update() clock.tick(FPS)
gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n os.environ['SDL_VIDEO_CENTERED'] = '1'\n clock = pygame.time.Clock()\n screen = pygame.display.set_mode(SCREEN_SIZE, DOUBLEBUF | NOFRAME)\n pygame.event.set_allowed([QUIT, KEYDOWN, MOUSEBUTTONDOWN])\n game = Morpion()\n run = True\n while run:\n mouse = pygame.mouse.get_pos()\n for e in pygame.event.get():\n if e.type == QUIT:\n run = False\n elif e.type == KEYDOWN:\n if e.key == K_ESCAPE:\n run = False\n if e.key == K_F4 and e.mod & KMOD_ALT:\n return 0\n elif e.type == MOUSEBUTTONDOWN:\n if e.button == 1:\n if pos_from_mouse(mouse):\n if game.is_full() or game.is_won():\n game = Morpion()\n continue\n x, y = pos_from_mouse(mouse)\n try:\n game.play(x, y)\n except IndexError:\n pass\n if pos_from_mouse(mouse):\n x, y = pos_from_mouse(mouse)\n game.hint(x, y)\n screen.fill(WHITE)\n game.render(screen)\n pygame.display.update()\n clock.tick(FPS)\n", "role": "user" }, { "content": "gui", "role": "assistant" } ]
def x(self, px): if px < 200: pt = self.PX_TO_PT[px] else: pt = int(floor((px - 1.21) / 1.332)) return pt
px_to_pt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, px):\n if px < 200:\n pt = self.PX_TO_PT[px]\n else:\n pt = int(floor((px - 1.21) / 1.332))\n return pt\n", "role": "user" }, { "content": "px_to_pt", "role": "assistant" } ]
def x(self, pt=None, px=None): assert (pt, px) != (None, None) if pt is not None: self.__init__(pt, self.font_name) else: self.__init__(self.px_to_pt(px), self.font_name)
set_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pt=None, px=None):\n assert (pt, px) != (None, None)\n if pt is not None:\n self.__init__(pt, self.font_name)\n else:\n self.__init__(self.px_to_pt(px), self.font_name)\n", "role": "user" }, { "content": "set_size", "role": "assistant" } ]
def x(self): if callable(self._text): return str(self._text()) return str(self._text)
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 callable(self._text):\n return str(self._text())\n return str(self._text)\n", "role": "user" }, { "content": "text", "role": "assistant" } ]
def x(self, value): if value != self.color: self._color = value self._render()
color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value != self.color:\n self._color = value\n self._render()\n", "role": "user" }, { "content": "color", "role": "assistant" } ]
def x(self, value): if value != self.bg_color: self._bg_color = value self._render()
bg_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value != self.bg_color:\n self._bg_color = value\n self._render()\n", "role": "user" }, { "content": "bg_color", "role": "assistant" } ]
def x(self, pt=None, px=None): self.font.set_size(pt, px) self._render()
set_font_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pt=None, px=None):\n self.font.set_size(pt, px)\n self._render()\n", "role": "user" }, { "content": "set_font_size", "role": "assistant" } ]
def x(self): self._last_text = self.text self._surface = self.font.render(self.text, True, self.color, self.bg_color ) rect = self._surface.get_rect() self.size = rect.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 rect = self._surface.get_rect()\n self.size = rect.size\n", "role": "user" }, { "content": "render", "role": "assistant" } ]