source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(fct): def x(*args, **kwargs): data = fct(*args, **kwargs) if 'error' not in data: for result in data: result['Value'] = base64.b64decode(result['Value']) return data return inner
decode_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fct):\n\n def x(*args, **kwargs):\n data = fct(*args, **kwargs)\n if 'error' not in data:\n for result in data:\n result['Value'] = base64.b64decode(result['Value'])\n return data\n return inner\n", "role": "user" }, { "content": "decode_values", "role": "assistant" } ]
def x(fct): def x(*args, **kwargs): try: _data = fct(*args, **kwargs) except requests.exceptions.ConnectionError as error: return {'error': str(error), 'status': 404} if _data.ok: if _data.content: safe_data = _data.json() else: safe_data = {'success': True} else: safe_data = {'error': _data.reason, 'status': _data.status_code} return safe_data return inner
safe_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fct):\n\n def x(*args, **kwargs):\n try:\n _data = fct(*args, **kwargs)\n except requests.exceptions.ConnectionError as error:\n return {'error': str(error), 'status': 404}\n if _data.ok:\n if _data.content:\n safe_data = _data.json()\n else:\n safe_data = {'success': True}\n else:\n safe_data = {'error': _data.reason, 'status': _data.status_code}\n return safe_data\n return inner\n", "role": "user" }, { "content": "safe_request", "role": "assistant" } ]
def x(address): parts = [] parser = _AddressParser() end = parser(parts, address) if end != len(address): raise InvalidTrailingBytes() return parts[0]
parseAddress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(address):\n parts = []\n parser = _AddressParser()\n end = parser(parts, address)\n if end != len(address):\n raise InvalidTrailingBytes()\n return parts[0]\n", "role": "user" }, { "content": "parseAddress", "role": "assistant" } ]
def x(self): self._initial_setup() self.on_service_start() self.app = self.make_tornado_app() enable_pretty_logging() self.app.listen(self.port, address=self.host) self._start_periodic_tasks() self._initialize_event_handlers() self._start_event_handlers() try: self.io_loop.start() except RuntimeError: pass
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._initial_setup()\n self.on_service_start()\n self.app = self.make_tornado_app()\n enable_pretty_logging()\n self.app.listen(self.port, address=self.host)\n self._start_periodic_tasks()\n self._initialize_event_handlers()\n self._start_event_handlers()\n try:\n self.io_loop.start()\n except RuntimeError:\n pass\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, name): for plugin in self.plugins: if plugin.name == name: return plugin raise PluginDoesNotExistError("Plugin '{}' not found".format(name))
get_plugin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n for plugin in self.plugins:\n if plugin.name == name:\n return plugin\n raise PluginDoesNotExistError(\"Plugin '{}' not found\".format(name))\n", "role": "user" }, { "content": "get_plugin", "role": "assistant" } ]
def x(self, name): if not self.discovery_strategies: raise ServiceConfigurationError('No service registry available') cached = self.remote_service_cache.get_entry(name) if cached: return cached.remote_service for strategy in self.discovery_strategies: endpoints = strategy.locate(name) if not endpoints: continue random.shuffle(endpoints) for url in endpoints: try: service = get_remote_service_instance_for_url(url) self.remote_service_cache.add_entry(name, service) return service except ConnectionError: continue raise ValueError('Service could not be located')
get_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if not self.discovery_strategies:\n raise ServiceConfigurationError('No service registry available')\n cached = self.remote_service_cache.get_entry(name)\n if cached:\n return cached.remote_service\n for strategy in self.discovery_strategies:\n endpoints = strategy.locate(name)\n if not endpoints:\n continue\n random.shuffle(endpoints)\n for url in endpoints:\n try:\n service = get_remote_service_instance_for_url(url)\n self.remote_service_cache.add_entry(name, service)\n return service\n except ConnectionError:\n continue\n raise ValueError('Service could not be located')\n", "role": "user" }, { "content": "get_service", "role": "assistant" } ]
def x(self, target, args, kwargs): thread_obj = threading.Thread(target=target, args=args, kwargs=kwargs, daemon=True) thread_obj.start()
start_thread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, args, kwargs):\n thread_obj = threading.Thread(target=target, args=args, kwargs=kwargs,\n daemon=True)\n thread_obj.start()\n", "role": "user" }, { "content": "start_thread", "role": "assistant" } ]
def x(self, event_name, event_body): for transport in self.event_transports: transport.emit_event(event_name, event_body)
emit_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event_name, event_body):\n for transport in self.event_transports:\n transport.emit_event(event_name, event_body)\n", "role": "user" }, { "content": "emit_event", "role": "assistant" } ]
def x(self): handlers = [(self.endpoint, TornadoJsonRpcHandler, {'microservice': self})] self._add_extra_handlers(handlers) self._add_static_handlers(handlers) return Application(handlers, template_path=self.template_dir)
make_tornado_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n handlers = [(self.endpoint, TornadoJsonRpcHandler, {'microservice': self})]\n self._add_extra_handlers(handlers)\n self._add_static_handlers(handlers)\n return Application(handlers, template_path=self.template_dir)\n", "role": "user" }, { "content": "make_tornado_app", "role": "assistant" } ]
def x(self, handlers): extra_handlers = [(h[0], h[1], {'microservice': self}) for h in self. extra_handlers] handlers.extend(extra_handlers)
add_extra_handlers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handlers):\n extra_handlers = [(h[0], h[1], {'microservice': self}) for h in self.\n extra_handlers]\n handlers.extend(extra_handlers)\n", "role": "user" }, { "content": "add_extra_handlers", "role": "assistant" } ]
def x(self, handlers): for url, path in self.static_dirs: handlers.append((url.rstrip('/') + '/(.*)', StaticFileHandler, { 'path': path}))
add_static_handlers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handlers):\n for url, path in self.static_dirs:\n handlers.append((url.rstrip('/') + '/(.*)', StaticFileHandler, {\n 'path': path}))\n", "role": "user" }, { "content": "add_static_handlers", "role": "assistant" } ]
def x(self): self._extract_methods_from_container(self) for module in self.modules: self._extract_methods_from_container(module)
gather_exposed_methods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._extract_methods_from_container(self)\n for module in self.modules:\n self._extract_methods_from_container(module)\n", "role": "user" }, { "content": "gather_exposed_methods", "role": "assistant" } ]
def x(self): self._extract_event_handlers_from_container(self) for module in self.modules: self._extract_event_handlers_from_container(module)
gather_event_handlers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._extract_event_handlers_from_container(self)\n for module in self.modules:\n self._extract_event_handlers_from_container(module)\n", "role": "user" }, { "content": "gather_event_handlers", "role": "assistant" } ]
def x(self): for strategy in self.discovery_strategies: self.default_periodic_tasks.append((functools.partial(strategy.ping, self.name, self.accessible_at), self. service_registry_ping_interval)) self.default_periodic_tasks[-1][0]() all_periodic_tasks = self.default_periodic_tasks + self.periodic_tasks for func, timer_in_seconds in all_periodic_tasks: timer_milisec = timer_in_seconds * 1000 yield PeriodicCallback(func, timer_milisec, io_loop=self.io_loop)
periodic_task_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for strategy in self.discovery_strategies:\n self.default_periodic_tasks.append((functools.partial(strategy.ping,\n self.name, self.accessible_at), self.\n service_registry_ping_interval))\n self.default_periodic_tasks[-1][0]()\n all_periodic_tasks = self.default_periodic_tasks + self.periodic_tasks\n for func, timer_in_seconds in all_periodic_tasks:\n timer_milisec = timer_in_seconds * 1000\n yield PeriodicCallback(func, timer_milisec, io_loop=self.io_loop)\n", "role": "user" }, { "content": "periodic_task_iter", "role": "assistant" } ]
def x(self): self.fonttype = self.font_types['bitmap'] self.send(chr(27) + chr(64))
initialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.fonttype = self.font_types['bitmap']\n self.send(chr(27) + chr(64))\n", "role": "user" }, { "content": "initialize", "role": "assistant" } ]
def x(self, charset): charsets = {'USA': 0, 'France': 1, 'Germany': 2, 'UK': 3, 'Denmark': 4, 'Sweden': 5, 'Italy': 6, 'Spain': 7, 'Japan': 8, 'Norway': 9, 'Denmark II': 10, 'Spain II': 11, 'Latin America': 12, 'South Korea': 13, 'Legal': 64} if charset in charsets: self.send(chr(27) + 'R' + chr(charsets[charset])) else: raise RuntimeError('Invalid charset.')
select_charset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, charset):\n charsets = {'USA': 0, 'France': 1, 'Germany': 2, 'UK': 3, 'Denmark': 4,\n 'Sweden': 5, 'Italy': 6, 'Spain': 7, 'Japan': 8, 'Norway': 9,\n 'Denmark II': 10, 'Spain II': 11, 'Latin America': 12,\n 'South Korea': 13, 'Legal': 64}\n if charset in charsets:\n self.send(chr(27) + 'R' + chr(charsets[charset]))\n else:\n raise RuntimeError('Invalid charset.')\n", "role": "user" }, { "content": "select_charset", "role": "assistant" } ]
def x(self, table): tables = {'standard': 0, 'eastern european': 1, 'western european': 2, 'spare': 3} if table in tables: self.send(chr(27) + 't' + chr(tables[table])) else: raise RuntimeError('Invalid char table.')
select_char_code_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table):\n tables = {'standard': 0, 'eastern european': 1, 'western european': 2,\n 'spare': 3}\n if table in tables:\n self.send(chr(27) + 't' + chr(tables[table]))\n else:\n raise RuntimeError('Invalid char table.')\n", "role": "user" }, { "content": "select_char_code_table", "role": "assistant" } ]
def x(self, cut): cut_settings = {'full': 1, 'half': 2, 'chain': 4, 'special': 8} if cut in cut_settings: self.send(chr(27) + 'iC' + chr(cut_settings[cut])) else: raise RuntimeError('Invalid cut type.')
cut_setting
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cut):\n cut_settings = {'full': 1, 'half': 2, 'chain': 4, 'special': 8}\n if cut in cut_settings:\n self.send(chr(27) + 'iC' + chr(cut_settings[cut]))\n else:\n raise RuntimeError('Invalid cut type.')\n", "role": "user" }, { "content": "cut_setting", "role": "assistant" } ]
def x(self, action): if action == 'rotate': action = '1' elif action == 'cancel': action = '0' else: raise RuntimeError('Invalid action.') self.send(chr(27) + chr(105) + chr(76) + action)
rotated_printing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n if action == 'rotate':\n action = '1'\n elif action == 'cancel':\n action = '0'\n else:\n raise RuntimeError('Invalid action.')\n self.send(chr(27) + chr(105) + chr(76) + action)\n", "role": "user" }, { "content": "rotated_printing", "role": "assistant" } ]
def x(self, amount): n = None if amount == '1/8': amount = '0' elif amount == '1/6': amount = '2' elif re.search('/180', amount): n = re.search('(\\d+)/180', amount) n = n.group(1) amount = '3' elif re.search('/60', amount): n = re.search('(\\d+)/60', amount) n = n.group(1) amount = 'A' if n: self.send(chr(27) + amount + n) else: self.send(chr(27) + amount)
feed_amount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount):\n n = None\n if amount == '1/8':\n amount = '0'\n elif amount == '1/6':\n amount = '2'\n elif re.search('/180', amount):\n n = re.search('(\\\\d+)/180', amount)\n n = n.group(1)\n amount = '3'\n elif re.search('/60', amount):\n n = re.search('(\\\\d+)/60', amount)\n n = n.group(1)\n amount = 'A'\n if n:\n self.send(chr(27) + amount + n)\n else:\n self.send(chr(27) + amount)\n", "role": "user" }, { "content": "feed_amount", "role": "assistant" } ]
def x(self, length): mH = length / 256 mL = length % 256 if length < 12000: self.send(chr(27) + '(' + 'C' + chr(2) + chr(0) + chr(mL) + chr(mH)) else: raise RuntimeError('Length must be less than 12000.')
page_length
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, length):\n mH = length / 256\n mL = length % 256\n if length < 12000:\n self.send(chr(27) + '(' + 'C' + chr(2) + chr(0) + chr(mL) + chr(mH))\n else:\n raise RuntimeError('Length must be less than 12000.')\n", "role": "user" }, { "content": "page_length", "role": "assistant" } ]
def x(self, topmargin, bottommargin): tL = topmargin % 256 tH = topmargin / 256 BL = bottommargin % 256 BH = topmargin / 256 if tL + tH * 256 < BL + BH * 256: self.send(chr(27) + '(' + 'c' + chr(4) + chr(0) + chr(tL) + chr(tH) + chr(BL) + chr(BH)) else: raise RuntimeError('The top margin must be less than the bottom margin' )
page_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topmargin, bottommargin):\n tL = topmargin % 256\n tH = topmargin / 256\n BL = bottommargin % 256\n BH = topmargin / 256\n if tL + tH * 256 < BL + BH * 256:\n self.send(chr(27) + '(' + 'c' + chr(4) + chr(0) + chr(tL) + chr(tH) +\n chr(BL) + chr(BH))\n else:\n raise RuntimeError('The top margin must be less than the bottom margin'\n )\n", "role": "user" }, { "content": "page_format", "role": "assistant" } ]
def x(self, margin): if margin <= 255 and margin >= 0: self.send(chr(27) + 'I' + chr(margin)) else: raise RuntimeError('Invalid margin parameter.')
left_margin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, margin):\n if margin <= 255 and margin >= 0:\n self.send(chr(27) + 'I' + chr(margin))\n else:\n raise RuntimeError('Invalid margin parameter.')\n", "role": "user" }, { "content": "left_margin", "role": "assistant" } ]
def x(self, margin): if margin >= 1 and margin <= 255: self.send(chr(27) + 'Q' + chr(margin)) else: raise RuntimeError('Invalid margin parameter in function rightMargin')
right_margin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, margin):\n if margin >= 1 and margin <= 255:\n self.send(chr(27) + 'Q' + chr(margin))\n else:\n raise RuntimeError('Invalid margin parameter in function rightMargin')\n", "role": "user" }, { "content": "right_margin", "role": "assistant" } ]
def x(self, positions): if positions == 'clear': self.send(chr(27) + 'B' + chr(0)) return if positions.min < 1 or positions.max > 255: raise RuntimeError('Invalid position parameter in function horzTabPos') sendstr = chr(27) + 'D' if len(positions) <= 16: for position in positions: sendstr += chr(position) self.send(sendstr + chr(0)) else: raise RuntimeError('Too many positions in function vertTabPos')
vert_tab_pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, positions):\n if positions == 'clear':\n self.send(chr(27) + 'B' + chr(0))\n return\n if positions.min < 1 or positions.max > 255:\n raise RuntimeError('Invalid position parameter in function horzTabPos')\n sendstr = chr(27) + 'D'\n if len(positions) <= 16:\n for position in positions:\n sendstr += chr(position)\n self.send(sendstr + chr(0))\n else:\n raise RuntimeError('Too many positions in function vertTabPos')\n", "role": "user" }, { "content": "vert_tab_pos", "role": "assistant" } ]
def x(self, amount): if amount <= 255 and amount >= 0: self.send(chr(27) + 'J' + chr(amount)) else: raise RuntimeError( 'Invalid foward feed, must be less than 255 and >= 0')
forward_feed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount):\n if amount <= 255 and amount >= 0:\n self.send(chr(27) + 'J' + chr(amount))\n else:\n raise RuntimeError(\n 'Invalid foward feed, must be less than 255 and >= 0')\n", "role": "user" }, { "content": "forward_feed", "role": "assistant" } ]
def x(self, amount): mL = amount % 256 mH = amount / 256 if amount < 32767 and amount > 0: self.send(chr(27) + '(' + 'V' + chr(2) + chr(0) + chr(mL) + chr(mH)) else: raise RuntimeError('Invalid vertical position in function absVertPos')
abs_vert_pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount):\n mL = amount % 256\n mH = amount / 256\n if amount < 32767 and amount > 0:\n self.send(chr(27) + '(' + 'V' + chr(2) + chr(0) + chr(mL) + chr(mH))\n else:\n raise RuntimeError('Invalid vertical position in function absVertPos')\n", "role": "user" }, { "content": "abs_vert_pos", "role": "assistant" } ]
def x(self, amount): n1 = amount % 256 n2 = amount / 256 self.send(chr(27) + '${n1}{n2}'.format(n1=chr(n1), n2=chr(n2)))
abs_horz_pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount):\n n1 = amount % 256\n n2 = amount / 256\n self.send(chr(27) + '${n1}{n2}'.format(n1=chr(n1), n2=chr(n2)))\n", "role": "user" }, { "content": "abs_horz_pos", "role": "assistant" } ]
def x(self, amount): n1 = amount % 256 n2 = amount / 256 self.send(chr(27) + '\\{n1}{n2}'.format(n1=chr(n1), n2=chr(n2)))
rel_horz_pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount):\n n1 = amount % 256\n n2 = amount / 256\n self.send(chr(27) + '\\\\{n1}{n2}'.format(n1=chr(n1), n2=chr(n2)))\n", "role": "user" }, { "content": "rel_horz_pos", "role": "assistant" } ]
def x(self, align): if align == 'left': align = '0' elif align == 'center': align = '1' elif align == 'right': align = '2' elif align == 'justified': align = '3' else: raise RuntimeError('Invalid alignment in function alignment') self.send(chr(27) + 'a' + align)
alignment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, align):\n if align == 'left':\n align = '0'\n elif align == 'center':\n align = '1'\n elif align == 'right':\n align = '2'\n elif align == 'justified':\n align = '3'\n else:\n raise RuntimeError('Invalid alignment in function alignment')\n self.send(chr(27) + 'a' + align)\n", "role": "user" }, { "content": "alignment", "role": "assistant" } ]
def x(self, action): choices = {'on': '1', 'off': '0'} if action in choices: self.send(chr(27) + 'if' + choices[action]) else: raise RuntimeError( 'Invalid action for function frame, choices are on and off')
frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n choices = {'on': '1', 'off': '0'}\n if action in choices:\n self.send(chr(27) + 'if' + choices[action])\n else:\n raise RuntimeError(\n 'Invalid action for function frame, choices are on and off')\n", "role": "user" }, { "content": "frame", "role": "assistant" } ]
def x(self, action): if action == 'on': action = 'E' elif action == 'off': action = 'F' else: raise RuntimeError( 'Invalid action for function bold. Options are on and off') self.send(chr(27) + action)
bold
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n if action == 'on':\n action = 'E'\n elif action == 'off':\n action = 'F'\n else:\n raise RuntimeError(\n 'Invalid action for function bold. Options are on and off')\n self.send(chr(27) + action)\n", "role": "user" }, { "content": "bold", "role": "assistant" } ]
def x(self, action): if action == 'on': action = '4' elif action == 'off': action = '5' else: raise RuntimeError( 'Invalid action for function italic. Options are on and off') self.send(chr(27) + action)
italic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n if action == 'on':\n action = '4'\n elif action == 'off':\n action = '5'\n else:\n raise RuntimeError(\n 'Invalid action for function italic. Options are on and off')\n self.send(chr(27) + action)\n", "role": "user" }, { "content": "italic", "role": "assistant" } ]
def x(self, action): if action == 'on': action = 'G' elif action == 'off': action = 'H' else: raise RuntimeError( 'Invalid action for function doubleStrike. Options are on and off') self.send(chr(27) + action)
double_strike
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n if action == 'on':\n action = 'G'\n elif action == 'off':\n action = 'H'\n else:\n raise RuntimeError(\n 'Invalid action for function doubleStrike. Options are on and off')\n self.send(chr(27) + action)\n", "role": "user" }, { "content": "double_strike", "role": "assistant" } ]
def x(self, action): if action == 'on': action = '1' elif action == 'off': action = '0' else: raise RuntimeError( 'Invalid action for function doubleWidth. Options are on and off') self.send(chr(27) + 'W' + action)
double_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n if action == 'on':\n action = '1'\n elif action == 'off':\n action = '0'\n else:\n raise RuntimeError(\n 'Invalid action for function doubleWidth. Options are on and off')\n self.send(chr(27) + 'W' + action)\n", "role": "user" }, { "content": "double_width", "role": "assistant" } ]
def x(self, action): if action == 'on': action = 15 elif action == 'off': action = 18 else: raise RuntimeError( 'Invalid action for function compressedChar. Options are on and off' ) self.send(chr(action))
compressed_char
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n if action == 'on':\n action = 15\n elif action == 'off':\n action = 18\n else:\n raise RuntimeError(\n 'Invalid action for function compressedChar. Options are on and off'\n )\n self.send(chr(action))\n", "role": "user" }, { "content": "compressed_char", "role": "assistant" } ]
def x(self, action): if action == 'off': action = '0' self.send(chr(27) + chr(45) + action) else: self.send(chr(27) + chr(45) + action)
underline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n if action == 'off':\n action = '0'\n self.send(chr(27) + chr(45) + action)\n else:\n self.send(chr(27) + chr(45) + action)\n", "role": "user" }, { "content": "underline", "role": "assistant" } ]
def x(self, size): sizes = {'24': 0, '32': 0, '48': 0, '33': 0, '38': 0, '42': 0, '46': 0, '50': 0, '58': 0, '67': 0, '75': 0, '83': 0, '92': 0, '100': 0, '117': 0, '133': 0, '150': 0, '167': 0, '200': 0, '233': 0, '11': 1, '44': 1, '77': 1, '111': 1, '144': 1} if size in sizes: if size in ['24', '32', '48'] and self.fonttype != self.font_types[ 'bitmap']: raise Warning( 'Your font is currently set to outline and you have selected a bitmap only font size' ) if size not in ['24', '32', '48'] and self.fonttype != self.font_types[ 'outline']: raise Warning( 'Your font is currently set to bitmap and you have selected an outline only font size' ) self.send(chr(27) + 'X' + chr(0) + chr(int(size)) + chr(sizes[size])) else: raise RuntimeError( 'Invalid size for function charSize, choices are auto 4pt 6pt 9pt 12pt 18pt and 24pt' )
char_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n sizes = {'24': 0, '32': 0, '48': 0, '33': 0, '38': 0, '42': 0, '46': 0,\n '50': 0, '58': 0, '67': 0, '75': 0, '83': 0, '92': 0, '100': 0,\n '117': 0, '133': 0, '150': 0, '167': 0, '200': 0, '233': 0, '11': 1,\n '44': 1, '77': 1, '111': 1, '144': 1}\n if size in sizes:\n if size in ['24', '32', '48'] and self.fonttype != self.font_types[\n 'bitmap']:\n raise Warning(\n 'Your font is currently set to outline and you have selected a bitmap only font size'\n )\n if size not in ['24', '32', '48'] and self.fonttype != self.font_types[\n 'outline']:\n raise Warning(\n 'Your font is currently set to bitmap and you have selected an outline only font size'\n )\n self.send(chr(27) + 'X' + chr(0) + chr(int(size)) + chr(sizes[size]))\n else:\n raise RuntimeError(\n 'Invalid size for function charSize, choices are auto 4pt 6pt 9pt 12pt 18pt and 24pt'\n )\n", "role": "user" }, { "content": "char_size", "role": "assistant" } ]
def x(self, font): fonts = {'brougham': 0, 'lettergothicbold': 1, 'brusselsbit': 2, 'helsinkibit': 3, 'sandiego': 4, 'lettergothic': 9, 'brusselsoutline': 10, 'helsinkioutline': 11} if font in fonts: if font in ['broughham', 'lettergothicbold', 'brusselsbit', 'helsinkibit', 'sandiego']: self.fonttype = self.font_types['bitmap'] else: self.fonttype = self.font_types['outline'] self.send(chr(27) + 'k' + chr(fonts[font])) else: raise RuntimeError('Invalid font in function selectFont')
select_font
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, font):\n fonts = {'brougham': 0, 'lettergothicbold': 1, 'brusselsbit': 2,\n 'helsinkibit': 3, 'sandiego': 4, 'lettergothic': 9,\n 'brusselsoutline': 10, 'helsinkioutline': 11}\n if font in fonts:\n if font in ['broughham', 'lettergothicbold', 'brusselsbit',\n 'helsinkibit', 'sandiego']:\n self.fonttype = self.font_types['bitmap']\n else:\n self.fonttype = self.font_types['outline']\n self.send(chr(27) + 'k' + chr(fonts[font]))\n else:\n raise RuntimeError('Invalid font in function selectFont')\n", "role": "user" }, { "content": "select_font", "role": "assistant" } ]
def x(self, style): styleset = {'normal': 0, 'outline': 1, 'shadow': 2, 'outlineshadow': 3} if style in styleset: self.send(chr(27) + 'q' + chr(styleset[style])) else: raise RuntimeError('Invalid character style in function charStyle')
char_style
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style):\n styleset = {'normal': 0, 'outline': 1, 'shadow': 2, 'outlineshadow': 3}\n if style in styleset:\n self.send(chr(27) + 'q' + chr(styleset[style]))\n else:\n raise RuntimeError('Invalid character style in function charStyle')\n", "role": "user" }, { "content": "char_style", "role": "assistant" } ]
def x(self, action): actions = {'off': 0, 'on': 1} if action in actions: self.send(chr(27) + 'p' + action) else: raise RuntimeError('Invalid action in function proportionalChar')
proportional_char
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n actions = {'off': 0, 'on': 1}\n if action in actions:\n self.send(chr(27) + 'p' + action)\n else:\n raise RuntimeError('Invalid action in function proportionalChar')\n", "role": "user" }, { "content": "proportional_char", "role": "assistant" } ]
def x(self, dots): if dots in range(0, 127): self.send(chr(27) + chr(32) + chr(dots)) else: raise RuntimeError('Invalid dot amount in function charSpacing')
char_spacing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dots):\n if dots in range(0, 127):\n self.send(chr(27) + chr(32) + chr(dots))\n else:\n raise RuntimeError('Invalid dot amount in function charSpacing')\n", "role": "user" }, { "content": "char_spacing", "role": "assistant" } ]
def x(self, data, format, characters='off', height=48, width='small', parentheses='on', ratio='3:1', equalize='off', rss_symbol='rss14std', horiz_char_rss=2): barcodes = {'code39': '0', 'itf': '1', 'ean8/upca': '5', 'upce': '6', 'codabar': '9', 'code128': 'a', 'gs1-128': 'b', 'rss': 'c'} widths = {'xsmall': '0', 'small': '1', 'medium': '2', 'large': '3'} ratios = {'3:1': '0', '2.5:1': '1', '2:1': '2'} rss_symbols = {'rss14std': '0', 'rss14trun': '1', 'rss14stacked': '2', 'rss14stackedomni': '3', 'rsslimited': '4', 'rssexpandedstd': '5', 'rssexpandedstacked': '6'} character_choices = {'off': '0', 'on': '1'} parentheses_choices = {'off': '1', 'on': '0'} equalize_choices = {'off': '0', 'on': '1'} sendstr = '' n2 = height / 256 n1 = height % 256 if (format in barcodes and width in widths and ratio in ratios and characters in character_choices and rss_symbol in rss_symbols): sendstr += chr(27) + 'i' + 't' + barcodes[format ] + 's' + 'p' + 'r' + character_choices[characters ] + 'u' + 'x' + 'y' + 'h' + chr(n1) + chr(n2) + 'w' + widths[width ] + 'e' + parentheses_choices[parentheses] + 'o' + rss_symbols[ rss_symbol] + 'c' + chr(horiz_char_rss) + 'z' + ratios[ratio ] + 'f' + equalize_choices[equalize] + 'b' + data + chr(92) if format in ['code128', 'gs1-128']: sendstr += chr(92) + chr(92) self.send(sendstr) else: raise RuntimeError('Invalid parameters')
barcode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, format, characters='off', height=48, width='small',\n parentheses='on', ratio='3:1', equalize='off', rss_symbol='rss14std',\n horiz_char_rss=2):\n barcodes = {'code39': '0', 'itf': '1', 'ean8/upca': '5', 'upce': '6',\n 'codabar': '9', 'code128': 'a', 'gs1-128': 'b', 'rss': 'c'}\n widths = {'xsmall': '0', 'small': '1', 'medium': '2', 'large': '3'}\n ratios = {'3:1': '0', '2.5:1': '1', '2:1': '2'}\n rss_symbols = {'rss14std': '0', 'rss14trun': '1', 'rss14stacked': '2',\n 'rss14stackedomni': '3', 'rsslimited': '4', 'rssexpandedstd': '5',\n 'rssexpandedstacked': '6'}\n character_choices = {'off': '0', 'on': '1'}\n parentheses_choices = {'off': '1', 'on': '0'}\n equalize_choices = {'off': '0', 'on': '1'}\n sendstr = ''\n n2 = height / 256\n n1 = height % 256\n if (format in barcodes and width in widths and ratio in ratios and \n characters in character_choices and rss_symbol in rss_symbols):\n sendstr += chr(27) + 'i' + 't' + barcodes[format\n ] + 's' + 'p' + 'r' + character_choices[characters\n ] + 'u' + 'x' + 'y' + 'h' + chr(n1) + chr(n2) + 'w' + widths[width\n ] + 'e' + parentheses_choices[parentheses] + 'o' + rss_symbols[\n rss_symbol] + 'c' + chr(horiz_char_rss) + 'z' + ratios[ratio\n ] + 'f' + equalize_choices[equalize] + 'b' + data + chr(92)\n if format in ['code128', 'gs1-128']:\n sendstr += chr(92) + chr(92)\n self.send(sendstr)\n else:\n raise RuntimeError('Invalid parameters')\n", "role": "user" }, { "content": "barcode", "role": "assistant" } ]
def x(self, template): n1 = int(template) / 10 n2 = int(template) % 10 self.send('^TS' + '0' + str(n1) + str(n2))
choose_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, template):\n n1 = int(template) / 10\n n2 = int(template) % 10\n self.send('^TS' + '0' + str(n1) + str(n2))\n", "role": "user" }, { "content": "choose_template", "role": "assistant" } ]
def x(self, operation): operations = {'feed2start': 1, 'feedone': 2, 'cut': 3} if operation in operations: self.send('^' + 'O' + 'P' + chr(operations[operation])) else: raise RuntimeError('Invalid operation.')
machine_op
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, operation):\n operations = {'feed2start': 1, 'feedone': 2, 'cut': 3}\n if operation in operations:\n self.send('^' + 'O' + 'P' + chr(operations[operation]))\n else:\n raise RuntimeError('Invalid operation.')\n", "role": "user" }, { "content": "machine_op", "role": "assistant" } ]
def x(self, type): types = {'recieved': 1, 'filled': 2, 'num_recieved': 3} if type in types: self.send('^PT' + chr(types[type])) else: raise RuntimeError('Invalid type.')
print_start_trigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type):\n types = {'recieved': 1, 'filled': 2, 'num_recieved': 3}\n if type in types:\n self.send('^PT' + chr(types[type]))\n else:\n raise RuntimeError('Invalid type.')\n", "role": "user" }, { "content": "print_start_trigger", "role": "assistant" } ]
def x(self, command): size = len(command) if size > 20: raise RuntimeError('Command too long') n1 = size / 10 n2 = size % 10 self.send('^PS' + chr(n1) + chr(n2) + command)
print_start_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n size = len(command)\n if size > 20:\n raise RuntimeError('Command too long')\n n1 = size / 10\n n2 = size % 10\n self.send('^PS' + chr(n1) + chr(n2) + command)\n", "role": "user" }, { "content": "print_start_command", "role": "assistant" } ]
def x(self, count): n1 = count / 100 n2 = (count - n1 * 100) / 10 n3 = count - (n1 * 100 + n2 * 10) self.send('^PC' + chr(n1) + chr(n2) + chr(n3))
received_char_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, count):\n n1 = count / 100\n n2 = (count - n1 * 100) / 10\n n3 = count - (n1 * 100 + n2 * 10)\n self.send('^PC' + chr(n1) + chr(n2) + chr(n3))\n", "role": "user" }, { "content": "received_char_count", "role": "assistant" } ]
def x(self, delim): size = len(delim) if size > 20: raise RuntimeError('Delimeter too long') n1 = size / 10 n2 = size % 10 self.send('^SS' + chr(n1) + chr(n2))
select_delim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, delim):\n size = len(delim)\n if size > 20:\n raise RuntimeError('Delimeter too long')\n n1 = size / 10\n n2 = size % 10\n self.send('^SS' + chr(n1) + chr(n2))\n", "role": "user" }, { "content": "select_delim", "role": "assistant" } ]
def x(self, data): if not data: data = '' size = len(data) n1 = size % 256 n2 = size / 256 self.send('^DI' + chr(n1) + chr(n2) + data)
insert_into_obj
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if not data:\n data = ''\n size = len(data)\n n1 = size % 256\n n2 = size / 256\n self.send('^DI' + chr(n1) + chr(n2) + data)\n", "role": "user" }, { "content": "insert_into_obj", "role": "assistant" } ]
def x(self, name, data): self.select_obj(name) self.insert_into_obj(data)
select_and_insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, data):\n self.select_obj(name)\n self.insert_into_obj(data)\n", "role": "user" }, { "content": "select_and_insert", "role": "assistant" } ]
def x(db_path, version): db = Database(db_path) if db.has_version() and db.version() == version: return db.connection return None
connect_if_correct_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db_path, version):\n db = Database(db_path)\n if db.has_version() and db.version() == version:\n return db.connection\n return None\n", "role": "user" }, { "content": "connect_if_correct_version", "role": "assistant" } ]
def x(db_path, tables, version=1): require_string(db_path, 'db_path') require_iterable_of(tables, DatabaseTable) require_integer(version, 'version') delete_on_error = not exists(db_path) db = Database(db_path) table_names = [table.name for table in tables] try: if db.has_tables(table_names) and db.has_version() and db.version( ) == version: logger.info('Found existing table in database %s', db_path) else: if len(db.table_names()) > 0: logger.info('Dropping tables from database %s: %s', db_path, ', '.join(db.table_names())) db.drop_all_tables() logger.info('Creating database %s containing: %s', db_path, ', '.join(table_names)) db.create(tables, version) except: logger.warning('Failed to create tables %s in database %s', table_names, db_path) db.close() if delete_on_error: remove(db_path) raise return db.connection
create_cached_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db_path, tables, version=1):\n require_string(db_path, 'db_path')\n require_iterable_of(tables, DatabaseTable)\n require_integer(version, 'version')\n delete_on_error = not exists(db_path)\n db = Database(db_path)\n table_names = [table.name for table in tables]\n try:\n if db.has_tables(table_names) and db.has_version() and db.version(\n ) == version:\n logger.info('Found existing table in database %s', db_path)\n else:\n if len(db.table_names()) > 0:\n logger.info('Dropping tables from database %s: %s', db_path,\n ', '.join(db.table_names()))\n db.drop_all_tables()\n logger.info('Creating database %s containing: %s', db_path,\n ', '.join(table_names))\n db.create(tables, version)\n except:\n logger.warning('Failed to create tables %s in database %s',\n table_names, db_path)\n db.close()\n if delete_on_error:\n remove(db_path)\n raise\n return db.connection\n", "role": "user" }, { "content": "create_cached_db", "role": "assistant" } ]
def x(table_names_to_dataframes, table_names_to_primary_keys={}, table_names_to_indices={}): tables = [] for table_name, df in table_names_to_dataframes.items(): table_indices = table_names_to_indices.get(table_name, []) primary_key = table_names_to_primary_keys.get(table_name) table = DatabaseTable.from_dataframe(name=table_name, df=df, indices=table_indices, primary_key=primary_key) tables.append(table) return tables
build_tables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table_names_to_dataframes, table_names_to_primary_keys={},\n table_names_to_indices={}):\n tables = []\n for table_name, df in table_names_to_dataframes.items():\n table_indices = table_names_to_indices.get(table_name, [])\n primary_key = table_names_to_primary_keys.get(table_name)\n table = DatabaseTable.from_dataframe(name=table_name, df=df,\n indices=table_indices, primary_key=primary_key)\n tables.append(table)\n return tables\n", "role": "user" }, { "content": "build_tables", "role": "assistant" } ]
def x(db_path, table_names_to_dataframes, table_names_to_primary_keys={}, table_names_to_indices={}, overwrite=False, version=1): if overwrite and exists(db_path): remove(db_path) tables = build_tables(table_names_to_dataframes, table_names_to_primary_keys, table_names_to_indices) return _create_cached_db(db_path, tables=tables, version=version)
db_from_dataframes_with_absolute_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db_path, table_names_to_dataframes, table_names_to_primary_keys={},\n table_names_to_indices={}, overwrite=False, version=1):\n if overwrite and exists(db_path):\n remove(db_path)\n tables = build_tables(table_names_to_dataframes,\n table_names_to_primary_keys, table_names_to_indices)\n return _create_cached_db(db_path, tables=tables, version=version)\n", "role": "user" }, { "content": "db_from_dataframes_with_absolute_path", "role": "assistant" } ]
def x(db_filename, dataframes, primary_keys={}, indices={}, subdir=None, overwrite=False, version=1): if not (subdir is None or isinstance(subdir, str)): raise TypeError('Expected subdir to be None or str, got %s : %s' % (subdir, type(subdir))) db_path = build_path(db_filename, subdir) return db_from_dataframes_with_absolute_path(db_path, table_names_to_dataframes=dataframes, table_names_to_primary_keys= primary_keys, table_names_to_indices=indices, overwrite=overwrite, version=version)
db_from_dataframes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db_filename, dataframes, primary_keys={}, indices={}, subdir=None,\n overwrite=False, version=1):\n if not (subdir is None or isinstance(subdir, str)):\n raise TypeError('Expected subdir to be None or str, got %s : %s' %\n (subdir, type(subdir)))\n db_path = build_path(db_filename, subdir)\n return db_from_dataframes_with_absolute_path(db_path,\n table_names_to_dataframes=dataframes, table_names_to_primary_keys=\n primary_keys, table_names_to_indices=indices, overwrite=overwrite,\n version=version)\n", "role": "user" }, { "content": "db_from_dataframes", "role": "assistant" } ]
def x(db_filename, table_name, df, primary_key=None, subdir=None, overwrite =False, indices=(), version=1): return db_from_dataframes(db_filename=db_filename, dataframes={ table_name: df}, primary_keys={table_name: primary_key}, indices={ table_name: indices}, subdir=subdir, overwrite=overwrite, version= version)
db_from_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db_filename, table_name, df, primary_key=None, subdir=None, overwrite\n =False, indices=(), version=1):\n return db_from_dataframes(db_filename=db_filename, dataframes={\n table_name: df}, primary_keys={table_name: primary_key}, indices={\n table_name: indices}, subdir=subdir, overwrite=overwrite, version=\n version)\n", "role": "user" }, { "content": "db_from_dataframe", "role": "assistant" } ]
def x(base_filename, df): db_filename = base_filename + '_nrows%d' % len(df) for column_name in df.columns: column_db_type = db_type(df[column_name].dtype) column_name = column_name.replace(' ', '_') db_filename += '.%s_%s' % (column_name, column_db_type) return db_filename + '.db'
db_filename_from_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(base_filename, df):\n db_filename = base_filename + '_nrows%d' % len(df)\n for column_name in df.columns:\n column_db_type = db_type(df[column_name].dtype)\n column_name = column_name.replace(' ', '_')\n db_filename += '.%s_%s' % (column_name, column_db_type)\n return db_filename + '.db'\n", "role": "user" }, { "content": "db_filename_from_dataframe", "role": "assistant" } ]
def x(table_name, download_url, csv_filename=None, db_filename=None, subdir =None, version=1, **pandas_kwargs): df = fetch_csv_dataframe(download_url=download_url, filename= csv_filename, subdir=subdir, **pandas_kwargs) base_filename = splitext(csv_filename)[0] if db_filename is None: db_filename = _db_filename_from_dataframe(base_filename, df) return db_from_dataframe(db_filename, table_name, df, subdir=subdir, version=version)
fetch_csv_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table_name, download_url, csv_filename=None, db_filename=None, subdir\n =None, version=1, **pandas_kwargs):\n df = fetch_csv_dataframe(download_url=download_url, filename=\n csv_filename, subdir=subdir, **pandas_kwargs)\n base_filename = splitext(csv_filename)[0]\n if db_filename is None:\n db_filename = _db_filename_from_dataframe(base_filename, df)\n return db_from_dataframe(db_filename, table_name, df, subdir=subdir,\n version=version)\n", "role": "user" }, { "content": "fetch_csv_db", "role": "assistant" } ]
def x(self, security): url = 'http://www.google.com/finance?q=%s' % security page = self._request(url) soup = BeautifulSoup(page) snapData = soup.find('table', {'class': 'snap-data'}) if snapData is None: raise UfException(Errors.STOCK_SYMBOL_ERROR, 'Can find data for stock %s, security error?' % security) data = {} for row in snapData.findAll('tr'): keyTd, valTd = row.findAll('td') data[keyTd.getText()] = valTd.getText() return data
get_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, security):\n url = 'http://www.google.com/finance?q=%s' % security\n page = self._request(url)\n soup = BeautifulSoup(page)\n snapData = soup.find('table', {'class': 'snap-data'})\n if snapData is None:\n raise UfException(Errors.STOCK_SYMBOL_ERROR, \n 'Can find data for stock %s, security error?' % security)\n data = {}\n for row in snapData.findAll('tr'):\n keyTd, valTd = row.findAll('td')\n data[keyTd.getText()] = valTd.getText()\n return data\n", "role": "user" }, { "content": "get_all", "role": "assistant" } ]
def x(self, security, start, end): try: url = ( 'http://www.google.com/finance/historical?q=%s&startdate=%s&enddate=%s&output=csv' % (security.symbol, start, end)) try: page = self._request(url) except UfException as ufExcep: if Errors.NETWORK_400_ERROR == ufExcep.getCode: raise UfException(Errors.STOCK_SYMBOL_ERROR, 'Can find data for stock %s, security error?' % security) raise ufExcep days = page.readlines() values = [day.split(',') for day in days] for value in values[1:]: date = convertGoogCSVDate(value[0]) try: yield Quote(date, value[1].strip(), value[2].strip(), value [3].strip(), value[4].strip(), value[5].strip(), None) except Exception: LOG.warning( 'Exception when processing %s at date %s for value %s' % (security, date, value)) except BaseException: raise UfException(Errors.UNKNOWN_ERROR, 'Unknown Error in GoogleFinance.getHistoricalPrices %s' % traceback.format_exc())
quotes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, security, start, end):\n try:\n url = (\n 'http://www.google.com/finance/historical?q=%s&startdate=%s&enddate=%s&output=csv'\n % (security.symbol, start, end))\n try:\n page = self._request(url)\n except UfException as ufExcep:\n if Errors.NETWORK_400_ERROR == ufExcep.getCode:\n raise UfException(Errors.STOCK_SYMBOL_ERROR, \n 'Can find data for stock %s, security error?' % security)\n raise ufExcep\n days = page.readlines()\n values = [day.split(',') for day in days]\n for value in values[1:]:\n date = convertGoogCSVDate(value[0])\n try:\n yield Quote(date, value[1].strip(), value[2].strip(), value\n [3].strip(), value[4].strip(), value[5].strip(), None)\n except Exception:\n LOG.warning(\n 'Exception when processing %s at date %s for value %s' %\n (security, date, value))\n except BaseException:\n raise UfException(Errors.UNKNOWN_ERROR, \n 'Unknown Error in GoogleFinance.getHistoricalPrices %s' %\n traceback.format_exc())\n", "role": "user" }, { "content": "quotes", "role": "assistant" } ]
def x(self, security): try: url = 'http://www.google.com/finance?q=%s&fstype=ii' % security try: page = self._request(url).read() except UfException as ufExcep: if Errors.NETWORK_400_ERROR == ufExcep.getCode: raise UfException(Errors.STOCK_SYMBOL_ERROR, 'Can find data for stock %s, security error?' % security) raise ufExcep bPage = BeautifulSoup(page) target = bPage.find(id='incinterimdiv') keyTimeValue = {} i = 0 while True: self._parseTarget(target, keyTimeValue) if i < 5: i += 1 target = target.nextSibling if '\n' == target: target = target.nextSibling else: break return keyTimeValue except BaseException: raise UfException(Errors.UNKNOWN_ERROR, 'Unknown Error in GoogleFinance.getHistoricalPrices %s' % traceback.format_exc())
financials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, security):\n try:\n url = 'http://www.google.com/finance?q=%s&fstype=ii' % security\n try:\n page = self._request(url).read()\n except UfException as ufExcep:\n if Errors.NETWORK_400_ERROR == ufExcep.getCode:\n raise UfException(Errors.STOCK_SYMBOL_ERROR, \n 'Can find data for stock %s, security error?' % security)\n raise ufExcep\n bPage = BeautifulSoup(page)\n target = bPage.find(id='incinterimdiv')\n keyTimeValue = {}\n i = 0\n while True:\n self._parseTarget(target, keyTimeValue)\n if i < 5:\n i += 1\n target = target.nextSibling\n if '\\n' == target:\n target = target.nextSibling\n else:\n break\n return keyTimeValue\n except BaseException:\n raise UfException(Errors.UNKNOWN_ERROR, \n 'Unknown Error in GoogleFinance.getHistoricalPrices %s' %\n traceback.format_exc())\n", "role": "user" }, { "content": "financials", "role": "assistant" } ]
def x(self, target, keyTimeValue): table = target.table timestamps = self._getTimeStamps(table) for tr in table.tbody.findChildren('tr'): for i, td in enumerate(tr.findChildren('td')): if 0 == i: key = td.getText() if key not in keyTimeValue: keyTimeValue[key] = {} else: keyTimeValue[key][timestamps[i - 1]] = self._getValue(td)
parseTarget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, keyTimeValue):\n table = target.table\n timestamps = self._getTimeStamps(table)\n for tr in table.tbody.findChildren('tr'):\n for i, td in enumerate(tr.findChildren('td')):\n if 0 == i:\n key = td.getText()\n if key not in keyTimeValue:\n keyTimeValue[key] = {}\n else:\n keyTimeValue[key][timestamps[i - 1]] = self._getValue(td)\n", "role": "user" }, { "content": "parseTarget", "role": "assistant" } ]
def x(self, table): timeStamps = [] for th in table.thead.tr.contents: if '\n' != th: timeStamps.append(th.getText()) return timeStamps[1:]
getTimeStamps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table):\n timeStamps = []\n for th in table.thead.tr.contents:\n if '\\n' != th:\n timeStamps.append(th.getText())\n return timeStamps[1:]\n", "role": "user" }, { "content": "getTimeStamps", "role": "assistant" } ]
def x(self, security, start, end): period = 1 url = ( 'http://www.google.com/finance/getprices?q=%s&i=61&p=%sd&f=d,o,h,l,c,v' % (security.symbol, period)) LOG.debug('fetching {0}'.format(url)) try: response = self._request(url) except UfException as ufExcep: if Errors.NETWORK_400_ERROR == ufExcep.getCode: raise UfException(Errors.STOCK_SYMBOL_ERROR, 'Can find data for stock %s, security error?' % security) raise ufExcep days = response.text.split('\n')[7:] values = [day.split(',') for day in days if len(day.split(',')) >= 6] for value in values: yield json.dumps({'date': value[0][1:].strip(), 'close': value[1]. strip(), 'high': value[2].strip(), 'low': value[3].strip(), 'open': value[4].strip(), 'volume': value[5].strip()})
ticks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, security, start, end):\n period = 1\n url = (\n 'http://www.google.com/finance/getprices?q=%s&i=61&p=%sd&f=d,o,h,l,c,v'\n % (security.symbol, period))\n LOG.debug('fetching {0}'.format(url))\n try:\n response = self._request(url)\n except UfException as ufExcep:\n if Errors.NETWORK_400_ERROR == ufExcep.getCode:\n raise UfException(Errors.STOCK_SYMBOL_ERROR, \n 'Can find data for stock %s, security error?' % security)\n raise ufExcep\n days = response.text.split('\\n')[7:]\n values = [day.split(',') for day in days if len(day.split(',')) >= 6]\n for value in values:\n yield json.dumps({'date': value[0][1:].strip(), 'close': value[1].\n strip(), 'high': value[2].strip(), 'low': value[3].strip(),\n 'open': value[4].strip(), 'volume': value[5].strip()})\n", "role": "user" }, { "content": "ticks", "role": "assistant" } ]
def x(self, schema, data): schema = self.parent.get_schema(schema) return Binding(schema, self.parent.resolver, data=data)
get_binding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, schema, data):\n schema = self.parent.get_schema(schema)\n return Binding(schema, self.parent.resolver, data=data)\n", "role": "user" }, { "content": "get_binding", "role": "assistant" } ]
def x(self, id, depth=3, schema=None): uri = URIRef(id) if schema is None: for o in self.graph.objects(subject=uri, predicate=RDF.type): schema = self.parent.get_schema(str(o)) if schema is not None: break else: schema = self.parent.get_schema(schema) binding = self.get_binding(schema, None) return self._objectify(uri, binding, depth=depth, path=set())
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, depth=3, schema=None):\n uri = URIRef(id)\n if schema is None:\n for o in self.graph.objects(subject=uri, predicate=RDF.type):\n schema = self.parent.get_schema(str(o))\n if schema is not None:\n break\n else:\n schema = self.parent.get_schema(schema)\n binding = self.get_binding(schema, None)\n return self._objectify(uri, binding, depth=depth, path=set())\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, node, binding, depth, path): if binding.is_object: obj = {'$schema': binding.path} for s, p, o in self.graph.triples((node, None, None)): prop = binding.get_property(p) if prop is None or depth <= 1 or o in path: continue if depth <= 2 and (prop.is_array or prop.is_object): continue sub_path = path.union([node]) value = self._objectify(o, prop, depth - 1, sub_path) if prop.is_array and prop.name in obj: obj[prop.name].extend(value) else: obj[prop.name] = value return obj elif binding.is_array: for item in binding.items: return [self._objectify(node, item, depth, path)] else: return node.toPython()
objectify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, binding, depth, path):\n if binding.is_object:\n obj = {'$schema': binding.path}\n for s, p, o in self.graph.triples((node, None, None)):\n prop = binding.get_property(p)\n if prop is None or depth <= 1 or o in path:\n continue\n if depth <= 2 and (prop.is_array or prop.is_object):\n continue\n sub_path = path.union([node])\n value = self._objectify(o, prop, depth - 1, sub_path)\n if prop.is_array and prop.name in obj:\n obj[prop.name].extend(value)\n else:\n obj[prop.name] = value\n return obj\n elif binding.is_array:\n for item in binding.items:\n return [self._objectify(node, item, depth, path)]\n else:\n return node.toPython()\n", "role": "user" }, { "content": "objectify", "role": "assistant" } ]
def x(self, tree, xpath_str): try: text = tree.xpath(xpath_str, namespaces=self.namespaces)[0].text return text_type(text) if text else '' except IndexError: return ''
get_text_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tree, xpath_str):\n try:\n text = tree.xpath(xpath_str, namespaces=self.namespaces)[0].text\n return text_type(text) if text else ''\n except IndexError:\n return ''\n", "role": "user" }, { "content": "get_text_node", "role": "assistant" } ]
def x(self, tree, xpath_str): return tree.xpath(xpath_str, namespaces=self.namespaces)
get_subtree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tree, xpath_str):\n return tree.xpath(xpath_str, namespaces=self.namespaces)\n", "role": "user" }, { "content": "get_subtree", "role": "assistant" } ]
def x(self, tree, oai_id): try: tree = self.get_subtree(tree, 'fundingtree')[0] except IndexError: pass funder_node = self.get_subtree(tree, 'funder') subfunder_node = self.get_subtree(tree, '//funding_level_0') funder_id = self.get_text_node(funder_node[0], './id' ) if funder_node else None subfunder_id = self.get_text_node(subfunder_node[0], './id' ) if subfunder_node else None funder_name = self.get_text_node(funder_node[0], './shortname' ) if funder_node else '' subfunder_name = self.get_text_node(subfunder_node[0], './name' ) if subfunder_node else '' funder_doi_url = None if subfunder_id: funder_doi_url = self.funder_resolver.resolve_by_id(subfunder_id) if not funder_doi_url: if funder_id: funder_doi_url = self.funder_resolver.resolve_by_id(funder_id) if not funder_doi_url: funder_doi_url = self.funder_resolver.resolve_by_oai_id(oai_id) if not funder_doi_url: raise FunderNotFoundError(oai_id, funder_id, subfunder_id) funder_doi = FundRefDOIResolver.strip_doi_host(funder_doi_url) if not funder_name: resolver = Resolver(pid_type='frdoi', object_type='rec', getter= Record.get_record) try: dummy_pid, funder_rec = resolver.resolve(funder_doi) funder_name = funder_rec['acronyms'][0] except PersistentIdentifierError: raise OAIRELoadingError( 'Please ensure that funders have been loaded prior toloading grants. Could not resolve funder {0}' .format(funder_doi)) return dict(doi=funder_doi, url=funder_doi_url, name=funder_name, program=subfunder_name)
fundertree2json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tree, oai_id):\n try:\n tree = self.get_subtree(tree, 'fundingtree')[0]\n except IndexError:\n pass\n funder_node = self.get_subtree(tree, 'funder')\n subfunder_node = self.get_subtree(tree, '//funding_level_0')\n funder_id = self.get_text_node(funder_node[0], './id'\n ) if funder_node else None\n subfunder_id = self.get_text_node(subfunder_node[0], './id'\n ) if subfunder_node else None\n funder_name = self.get_text_node(funder_node[0], './shortname'\n ) if funder_node else ''\n subfunder_name = self.get_text_node(subfunder_node[0], './name'\n ) if subfunder_node else ''\n funder_doi_url = None\n if subfunder_id:\n funder_doi_url = self.funder_resolver.resolve_by_id(subfunder_id)\n if not funder_doi_url:\n if funder_id:\n funder_doi_url = self.funder_resolver.resolve_by_id(funder_id)\n if not funder_doi_url:\n funder_doi_url = self.funder_resolver.resolve_by_oai_id(oai_id)\n if not funder_doi_url:\n raise FunderNotFoundError(oai_id, funder_id, subfunder_id)\n funder_doi = FundRefDOIResolver.strip_doi_host(funder_doi_url)\n if not funder_name:\n resolver = Resolver(pid_type='frdoi', object_type='rec', getter=\n Record.get_record)\n try:\n dummy_pid, funder_rec = resolver.resolve(funder_doi)\n funder_name = funder_rec['acronyms'][0]\n except PersistentIdentifierError:\n raise OAIRELoadingError(\n 'Please ensure that funders have been loaded prior toloading grants. Could not resolve funder {0}'\n .format(funder_doi))\n return dict(doi=funder_doi, url=funder_doi_url, name=funder_name,\n program=subfunder_name)\n", "role": "user" }, { "content": "fundertree2json", "role": "assistant" } ]
def x(self, grant_xml): tree = etree.fromstring(grant_xml) if tree.prefix == 'oai': ptree = self.get_subtree(tree, '/oai:record/oai:metadata/oaf:entity/oaf:project')[0] header = self.get_subtree(tree, '/oai:record/oai:header')[0] oai_id = self.get_text_node(header, 'oai:identifier') modified = self.get_text_node(header, 'oai:datestamp') else: ptree = self.get_subtree(tree, '/record/result/metadata/oaf:entity/oaf:project')[0] header = self.get_subtree(tree, '/record/result/header')[0] oai_id = self.get_text_node(header, 'dri:objIdentifier') modified = self.get_text_node(header, 'dri:dateOfTransformation') url = self.get_text_node(ptree, 'websiteurl') code = self.get_text_node(ptree, 'code') title = self.get_text_node(ptree, 'title') acronym = self.get_text_node(ptree, 'acronym') startdate = self.get_text_node(ptree, 'startdate') enddate = self.get_text_node(ptree, 'enddate') funder = self.fundertree2json(ptree, oai_id) internal_id = '{0}::{1}'.format(funder['doi'], code) eurepo_id = ('info:eu-repo/grantAgreement/{funder}/{program}/{code}/'. format(funder=quote_plus(funder['name'].encode('utf8')), program= quote_plus(funder['program'].encode('utf8')), code=quote_plus(code. encode('utf8')))) ret_json = {'$schema': self.schema_formatter.schema_url, 'internal_id': internal_id, 'identifiers': {'oaf': oai_id, 'eurepo': eurepo_id, 'purl': url if url.startswith('http://purl.org/') else None}, 'code': code, 'title': title, 'acronym': acronym, 'startdate': startdate, 'enddate': enddate, 'funder': {'$ref': funder['url']}, 'program': funder['program'], 'url': url, 'remote_modified': modified} return ret_json
grantxml2json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, grant_xml):\n tree = etree.fromstring(grant_xml)\n if tree.prefix == 'oai':\n ptree = self.get_subtree(tree,\n '/oai:record/oai:metadata/oaf:entity/oaf:project')[0]\n header = self.get_subtree(tree, '/oai:record/oai:header')[0]\n oai_id = self.get_text_node(header, 'oai:identifier')\n modified = self.get_text_node(header, 'oai:datestamp')\n else:\n ptree = self.get_subtree(tree,\n '/record/result/metadata/oaf:entity/oaf:project')[0]\n header = self.get_subtree(tree, '/record/result/header')[0]\n oai_id = self.get_text_node(header, 'dri:objIdentifier')\n modified = self.get_text_node(header, 'dri:dateOfTransformation')\n url = self.get_text_node(ptree, 'websiteurl')\n code = self.get_text_node(ptree, 'code')\n title = self.get_text_node(ptree, 'title')\n acronym = self.get_text_node(ptree, 'acronym')\n startdate = self.get_text_node(ptree, 'startdate')\n enddate = self.get_text_node(ptree, 'enddate')\n funder = self.fundertree2json(ptree, oai_id)\n internal_id = '{0}::{1}'.format(funder['doi'], code)\n eurepo_id = ('info:eu-repo/grantAgreement/{funder}/{program}/{code}/'.\n format(funder=quote_plus(funder['name'].encode('utf8')), program=\n quote_plus(funder['program'].encode('utf8')), code=quote_plus(code.\n encode('utf8'))))\n ret_json = {'$schema': self.schema_formatter.schema_url, 'internal_id':\n internal_id, 'identifiers': {'oaf': oai_id, 'eurepo': eurepo_id,\n 'purl': url if url.startswith('http://purl.org/') else None},\n 'code': code, 'title': title, 'acronym': acronym, 'startdate':\n startdate, 'enddate': enddate, 'funder': {'$ref': funder['url']},\n 'program': funder['program'], 'url': url, 'remote_modified': modified}\n return ret_json\n", "role": "user" }, { "content": "grantxml2json", "role": "assistant" } ]
def x(self, as_json=True): self._connect() result = self.db_connection.cursor().execute( 'SELECT data, format FROM grants') for data, data_format in result: if not as_json and data_format == 'json': raise Exception('Cannot convert JSON source to XML output.') elif as_json and data_format == 'xml': data = self.grantxml2json(data) elif as_json and data_format == 'json': data = json.loads(data) yield data self._disconnect()
iter_grants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, as_json=True):\n self._connect()\n result = self.db_connection.cursor().execute(\n 'SELECT data, format FROM grants')\n for data, data_format in result:\n if not as_json and data_format == 'json':\n raise Exception('Cannot convert JSON source to XML output.')\n elif as_json and data_format == 'xml':\n data = self.grantxml2json(data)\n elif as_json and data_format == 'json':\n data = json.loads(data)\n yield data\n self._disconnect()\n", "role": "user" }, { "content": "iter_grants", "role": "assistant" } ]
def x(self, as_json=True): records = self.client.ListRecords(metadataPrefix='oaf', set=self.setspec) for rec in records: try: grant_out = rec.raw if as_json: grant_out = self.grantxml2json(grant_out) yield grant_out except FunderNotFoundError as e: current_app.logger.warning("Funder '{0}' not found.".format(e. funder_id))
iter_grants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, as_json=True):\n records = self.client.ListRecords(metadataPrefix='oaf', set=self.setspec)\n for rec in records:\n try:\n grant_out = rec.raw\n if as_json:\n grant_out = self.grantxml2json(grant_out)\n yield grant_out\n except FunderNotFoundError as e:\n current_app.logger.warning(\"Funder '{0}' not found.\".format(e.\n funder_id))\n", "role": "user" }, { "content": "iter_grants", "role": "assistant" } ]
def x(self, as_json=True, commit_batch_size=100): connection = sqlite3.connect(self.destination) format_ = 'json' if as_json else 'xml' if not self._db_exists(connection): connection.execute('CREATE TABLE grants (data text, format text)') grants_iterator = self.loader.iter_grants(as_json=as_json) for idx, grant_data in enumerate(grants_iterator, 1): if as_json: grant_data = json.dumps(grant_data, indent=2) connection.execute('INSERT INTO grants VALUES (?, ?)', (grant_data, format_)) if idx % commit_batch_size == 0: connection.commit() connection.commit() connection.close()
dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, as_json=True, commit_batch_size=100):\n connection = sqlite3.connect(self.destination)\n format_ = 'json' if as_json else 'xml'\n if not self._db_exists(connection):\n connection.execute('CREATE TABLE grants (data text, format text)')\n grants_iterator = self.loader.iter_grants(as_json=as_json)\n for idx, grant_data in enumerate(grants_iterator, 1):\n if as_json:\n grant_data = json.dumps(grant_data, indent=2)\n connection.execute('INSERT INTO grants VALUES (?, ?)', (grant_data,\n format_))\n if idx % commit_batch_size == 0:\n connection.commit()\n connection.commit()\n connection.close()\n", "role": "user" }, { "content": "dump", "role": "assistant" } ]
def x(self, et_node, prefixed_attrib): prefix, attrib = prefixed_attrib.split(':') return et_node.get('{{{0}}}{1}'.format(self.namespaces[prefix], attrib))
get_attrib
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, et_node, prefixed_attrib):\n prefix, attrib = prefixed_attrib.split(':')\n return et_node.get('{{{0}}}{1}'.format(self.namespaces[prefix], attrib))\n", "role": "user" }, { "content": "get_attrib", "role": "assistant" } ]
def x(self, node): doi = FundRefDOIResolver.strip_doi_host(self.get_attrib(node, 'rdf:about')) oaf_id = FundRefDOIResolver().resolve_by_doi('http://dx.doi.org/' + doi) name = node.find('./skosxl:prefLabel/skosxl:Label/skosxl:literalForm', namespaces=self.namespaces).text acronyms = [] for n in node.findall('./skosxl:altLabel/skosxl:Label', namespaces=self .namespaces): usagenode = n.find('./fref:usageFlag', namespaces=self.namespaces) if usagenode is not None: if self.get_attrib(usagenode, 'rdf:resource' ) == 'http://data.crossref.org/fundingdata/vocabulary/abbrevName': label = n.find('./skosxl:literalForm', namespaces=self. namespaces) if label is not None: acronyms.append(label.text) parent_node = node.find('./skos:broader', namespaces=self.namespaces) if parent_node is None: parent = {} else: parent = {'$ref': self.get_attrib(parent_node, 'rdf:resource')} country_elem = node.find('./svf:country', namespaces=self.namespaces) country_url = self.get_attrib(country_elem, 'rdf:resource') country_code = self.cc_resolver.cc_from_url(country_url) type_ = node.find('./svf:fundingBodyType', namespaces=self.namespaces).text subtype = node.find('./svf:fundingBodySubType', namespaces=self.namespaces ).text country_elem = node.find('./svf:country', namespaces=self.namespaces) modified_elem = node.find('./dct:modified', namespaces=self.namespaces) created_elem = node.find('./dct:created', namespaces=self.namespaces) json_dict = {'$schema': self.schema_formatter.schema_url, 'doi': doi, 'identifiers': {'oaf': oaf_id}, 'name': name, 'acronyms': acronyms, 'parent': parent, 'country': country_code, 'type': type_, 'subtype': subtype.lower(), 'remote_created': created_elem.text if created_elem is not None else None, 'remote_modified': modified_elem.text if modified_elem is not None else None} return json_dict
fundrefxml2json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n doi = FundRefDOIResolver.strip_doi_host(self.get_attrib(node, 'rdf:about'))\n oaf_id = FundRefDOIResolver().resolve_by_doi('http://dx.doi.org/' + doi)\n name = node.find('./skosxl:prefLabel/skosxl:Label/skosxl:literalForm',\n namespaces=self.namespaces).text\n acronyms = []\n for n in node.findall('./skosxl:altLabel/skosxl:Label', namespaces=self\n .namespaces):\n usagenode = n.find('./fref:usageFlag', namespaces=self.namespaces)\n if usagenode is not None:\n if self.get_attrib(usagenode, 'rdf:resource'\n ) == 'http://data.crossref.org/fundingdata/vocabulary/abbrevName':\n label = n.find('./skosxl:literalForm', namespaces=self.\n namespaces)\n if label is not None:\n acronyms.append(label.text)\n parent_node = node.find('./skos:broader', namespaces=self.namespaces)\n if parent_node is None:\n parent = {}\n else:\n parent = {'$ref': self.get_attrib(parent_node, 'rdf:resource')}\n country_elem = node.find('./svf:country', namespaces=self.namespaces)\n country_url = self.get_attrib(country_elem, 'rdf:resource')\n country_code = self.cc_resolver.cc_from_url(country_url)\n type_ = node.find('./svf:fundingBodyType', namespaces=self.namespaces).text\n subtype = node.find('./svf:fundingBodySubType', namespaces=self.namespaces\n ).text\n country_elem = node.find('./svf:country', namespaces=self.namespaces)\n modified_elem = node.find('./dct:modified', namespaces=self.namespaces)\n created_elem = node.find('./dct:created', namespaces=self.namespaces)\n json_dict = {'$schema': self.schema_formatter.schema_url, 'doi': doi,\n 'identifiers': {'oaf': oaf_id}, 'name': name, 'acronyms': acronyms,\n 'parent': parent, 'country': country_code, 'type': type_, 'subtype':\n subtype.lower(), 'remote_created': created_elem.text if \n created_elem is not None else None, 'remote_modified': \n modified_elem.text if modified_elem is not None else None}\n return json_dict\n", "role": "user" }, { "content": "fundrefxml2json", "role": "assistant" } ]
def x(self): root = self.doc_root funders = root.findall('./skos:Concept', namespaces=self.namespaces) for funder in funders: funder_json = self.fundrefxml2json(funder) yield funder_json
iter_funders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n root = self.doc_root\n funders = root.findall('./skos:Concept', namespaces=self.namespaces)\n for funder in funders:\n funder_json = self.fundrefxml2json(funder)\n yield funder_json\n", "role": "user" }, { "content": "iter_funders", "role": "assistant" } ]
def x(self, oai_id): if oai_id.startswith('oai:dnet:'): oai_id = oai_id[len('oai:dnet:'):] prefix = oai_id.split('::')[0] suffix = prefix.replace('_', '').upper() oaf = '{0}::{1}'.format(prefix, suffix) return self.data.get(oaf)
resolve_by_oai_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, oai_id):\n if oai_id.startswith('oai:dnet:'):\n oai_id = oai_id[len('oai:dnet:'):]\n prefix = oai_id.split('::')[0]\n suffix = prefix.replace('_', '').upper()\n oaf = '{0}::{1}'.format(prefix, suffix)\n return self.data.get(oaf)\n", "role": "user" }, { "content": "resolve_by_oai_id", "role": "assistant" } ]
def x(resource): pieces = [] for piece in resource.split('/'): if (path.sep in piece or path.altsep and path.altsep in piece or piece == path.pardir): raise ResourceNotFound(resource) elif piece and piece != '.': pieces.append(piece) return pieces
split_resource_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resource):\n pieces = []\n for piece in resource.split('/'):\n if (path.sep in piece or path.altsep and path.altsep in piece or \n piece == path.pardir):\n raise ResourceNotFound(resource)\n elif piece and piece != '.':\n pieces.append(piece)\n return pieces\n", "role": "user" }, { "content": "split_resource_path", "role": "assistant" } ]
def x(graph): seen = set() def x(binding): if binding.path in seen: return seen.add(binding.path) if binding.is_object: for prop in binding.properties: yield binding.path, prop.name, tuple(prop.types) for pred in _traverse(prop): yield pred elif binding.is_array: for item in binding.items: for pred in _traverse(item): yield pred schemas = graph.aliases.values() schemas.extend(graph.resolver.store) for schema_uri in graph.aliases.values(): binding = graph.get_binding(schema_uri, None) for pred in _traverse(binding): if pred not in seen: yield pred seen.add(pred)
predicates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n seen = set()\n\n def x(binding):\n if binding.path in seen:\n return\n seen.add(binding.path)\n if binding.is_object:\n for prop in binding.properties:\n yield binding.path, prop.name, tuple(prop.types)\n for pred in _traverse(prop):\n yield pred\n elif binding.is_array:\n for item in binding.items:\n for pred in _traverse(item):\n yield pred\n schemas = graph.aliases.values()\n schemas.extend(graph.resolver.store)\n for schema_uri in graph.aliases.values():\n binding = graph.get_binding(schema_uri, None)\n for pred in _traverse(binding):\n if pred not in seen:\n yield pred\n seen.add(pred)\n", "role": "user" }, { "content": "predicates", "role": "assistant" } ]
def x(old): new = old.upgradeVersion(old.typeName, 1, 2, installedOn=None) for iface in new.store.interfacesFor(new): new.store.powerDown(new, iface) new.deleteFromStore()
passwordReset1to2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old):\n new = old.upgradeVersion(old.typeName, 1, 2, installedOn=None)\n for iface in new.store.interfacesFor(new):\n new.store.powerDown(new, iface)\n new.deleteFromStore()\n", "role": "user" }, { "content": "passwordReset1to2", "role": "assistant" } ]
def x(oldUserInfo): newUserInfo = oldUserInfo.upgradeVersion(UserInfo.typeName, 1, 2, realName=oldUserInfo.firstName + u' ' + oldUserInfo.lastName) return newUserInfo
upgradeUserInfo1to2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oldUserInfo):\n newUserInfo = oldUserInfo.upgradeVersion(UserInfo.typeName, 1, 2,\n realName=oldUserInfo.firstName + u' ' + oldUserInfo.lastName)\n return newUserInfo\n", "role": "user" }, { "content": "upgradeUserInfo1to2", "role": "assistant" } ]
def x(old): if isinstance(old.benefactor, Multifactor): types = list(chain(*[b.powerupNames for b in old.benefactor. benefactors('ascending')])) elif isinstance(old.benefactor, InitializerBenefactor): types = list(chain(*[b.powerupNames for b in old.benefactor. realBenefactor.benefactors('ascending')])) newProduct = old.store.findOrCreate(Product, types=types) if old.issuer is None: issuer = old.store.findOrCreate(TicketBooth) else: issuer = old.issuer t = old.upgradeVersion(Ticket.typeName, 1, 2, product=newProduct, issuer=issuer, booth=old.booth, avatar=old.avatar, claimed=old. claimed, email=old.email, nonce=old.nonce)
ticket1to2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old):\n if isinstance(old.benefactor, Multifactor):\n types = list(chain(*[b.powerupNames for b in old.benefactor.\n benefactors('ascending')]))\n elif isinstance(old.benefactor, InitializerBenefactor):\n types = list(chain(*[b.powerupNames for b in old.benefactor.\n realBenefactor.benefactors('ascending')]))\n newProduct = old.store.findOrCreate(Product, types=types)\n if old.issuer is None:\n issuer = old.store.findOrCreate(TicketBooth)\n else:\n issuer = old.issuer\n t = old.upgradeVersion(Ticket.typeName, 1, 2, product=newProduct,\n issuer=issuer, booth=old.booth, avatar=old.avatar, claimed=old.\n claimed, email=old.email, nonce=old.nonce)\n", "role": "user" }, { "content": "ticket1to2", "role": "assistant" } ]
def x(siteStore): for tr in siteStore.query(_SignupTracker): si = tr.signupItem p = getattr(si, 'prompt', None) u = getattr(si, 'prefixURL', None) if p is not None and u is not None: yield p, u'/' + u
getPublicSignupInfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(siteStore):\n for tr in siteStore.query(_SignupTracker):\n si = tr.signupItem\n p = getattr(si, 'prompt', None)\n u = getattr(si, 'prefixURL', None)\n if p is not None and u is not None:\n yield p, u'/' + u\n", "role": "user" }, { "content": "getPublicSignupInfo", "role": "assistant" } ]
def x(self, ctx, segments): if len(segments) == 1: attempt = self.attemptByKey(unicode(segments[0])) if attempt is not None: self.attempt = attempt return self, () return NotFound
locateChild
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctx, segments):\n if len(segments) == 1:\n attempt = self.attemptByKey(unicode(segments[0]))\n if attempt is not None:\n self.attempt = attempt\n return self, ()\n return NotFound\n", "role": "user" }, { "content": "locateChild", "role": "assistant" } ]
def x(self, ctx): req = inevow.IRequest(ctx) if req.method == 'POST': if req.args.get('username', [''])[0]: user = unicode(usernameFromRequest(req), 'ascii') self.handleRequestForUser(user, URL.fromContext(ctx)) self.fragment = self.templateResolver.getDocFactory( 'reset-check-email') elif req.args.get('email', [''])[0]: email = req.args['email'][0].decode('ascii') acct = self.accountByAddress(email) if acct is not None: username = '@'.join(userbase.getAccountNames(acct.avatars. open()).next()) self.handleRequestForUser(username, URL.fromContext(ctx)) self.fragment = self.templateResolver.getDocFactory( 'reset-check-email') elif 'password1' in req.args: password, = req.args['password1'] self.resetPassword(self.attempt, unicode(password)) self.fragment = self.templateResolver.getDocFactory('reset-done') else: return URL.fromContext(ctx) elif self.attempt: self.fragment = self.templateResolver.getDocFactory('reset-step-two') return PublicPage.renderHTTP(self, ctx)
renderHTTP
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctx):\n req = inevow.IRequest(ctx)\n if req.method == 'POST':\n if req.args.get('username', [''])[0]:\n user = unicode(usernameFromRequest(req), 'ascii')\n self.handleRequestForUser(user, URL.fromContext(ctx))\n self.fragment = self.templateResolver.getDocFactory(\n 'reset-check-email')\n elif req.args.get('email', [''])[0]:\n email = req.args['email'][0].decode('ascii')\n acct = self.accountByAddress(email)\n if acct is not None:\n username = '@'.join(userbase.getAccountNames(acct.avatars.\n open()).next())\n self.handleRequestForUser(username, URL.fromContext(ctx))\n self.fragment = self.templateResolver.getDocFactory(\n 'reset-check-email')\n elif 'password1' in req.args:\n password, = req.args['password1']\n self.resetPassword(self.attempt, unicode(password))\n self.fragment = self.templateResolver.getDocFactory('reset-done')\n else:\n return URL.fromContext(ctx)\n elif self.attempt:\n self.fragment = self.templateResolver.getDocFactory('reset-step-two')\n return PublicPage.renderHTTP(self, ctx)\n", "role": "user" }, { "content": "renderHTTP", "role": "assistant" } ]
def x(self, username, url): attempt = self.newAttemptForUser(username) account = self.accountByAddress(username) if account is None: return email = self.getExternalEmail(account) if email is not None: self.sendEmail(url, attempt, email)
handleRequestForUser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, url):\n attempt = self.newAttemptForUser(username)\n account = self.accountByAddress(username)\n if account is None:\n return\n email = self.getExternalEmail(account)\n if email is not None:\n self.sendEmail(url, attempt, email)\n", "role": "user" }, { "content": "handleRequestForUser", "role": "assistant" } ]
def x(self, url, attempt, email, _sendEmail=_sendEmail): host = url.netloc.split(':', 1)[0] from_ = 'reset@' + host body = file(sibpath(__file__, 'reset.rfc2822')).read() body %= {'from': from_, 'to': email, 'date': rfc822.formatdate(), 'message-id': smtp.messageid(), 'link': url.child(attempt.key)} _sendEmail(from_, email, body)
sendEmail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, attempt, email, _sendEmail=_sendEmail):\n host = url.netloc.split(':', 1)[0]\n from_ = 'reset@' + host\n body = file(sibpath(__file__, 'reset.rfc2822')).read()\n body %= {'from': from_, 'to': email, 'date': rfc822.formatdate(),\n 'message-id': smtp.messageid(), 'link': url.child(attempt.key)}\n _sendEmail(from_, email, body)\n", "role": "user" }, { "content": "sendEmail", "role": "assistant" } ]
def x(self, key): return self.store.findUnique(_PasswordResetAttempt, _PasswordResetAttempt.key == key, default=None)
attemptByKey
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n return self.store.findUnique(_PasswordResetAttempt, \n _PasswordResetAttempt.key == key, default=None)\n", "role": "user" }, { "content": "attemptByKey", "role": "assistant" } ]
def x(self, usern): return unicode(hashlib.md5(str((usern, time.time(), random.random()))). hexdigest())
makeKey
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, usern):\n return unicode(hashlib.md5(str((usern, time.time(), random.random()))).\n hexdigest())\n", "role": "user" }, { "content": "makeKey", "role": "assistant" } ]
def x(self, user): return _PasswordResetAttempt(store=self.store, username=user, timestamp =extime.Time(), key=self._makeKey(user))
newAttemptForUser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user):\n return _PasswordResetAttempt(store=self.store, username=user, timestamp\n =extime.Time(), key=self._makeKey(user))\n", "role": "user" }, { "content": "newAttemptForUser", "role": "assistant" } ]
def x(self, attempt, newPassword): self.accountByAddress(attempt.username).password = newPassword self.store.query(PersistentSession, PersistentSession.authenticatedAs == str(attempt.username)).deleteFromStore() attempt.deleteFromStore()
resetPassword
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attempt, newPassword):\n self.accountByAddress(attempt.username).password = newPassword\n self.store.query(PersistentSession, PersistentSession.authenticatedAs ==\n str(attempt.username)).deleteFromStore()\n attempt.deleteFromStore()\n", "role": "user" }, { "content": "resetPassword", "role": "assistant" } ]
def x(self, issuer, email, product, templateData, domainName, httpPort=80): ticket = self.createTicket(issuer, unicode(email, 'ascii'), product) nonce = ticket.nonce signupInfo = {'from': 'signup@' + domainName, 'to': email, 'date': rfc822.formatdate(), 'message-id': smtp.messageid(), 'link': self. ticketLink(domainName, httpPort, nonce)} msg = templateData % signupInfo return ticket, _sendEmail(signupInfo['from'], email, msg)
issueViaEmail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, issuer, email, product, templateData, domainName, httpPort=80):\n ticket = self.createTicket(issuer, unicode(email, 'ascii'), product)\n nonce = ticket.nonce\n signupInfo = {'from': 'signup@' + domainName, 'to': email, 'date':\n rfc822.formatdate(), 'message-id': smtp.messageid(), 'link': self.\n ticketLink(domainName, httpPort, nonce)}\n msg = templateData % signupInfo\n return ticket, _sendEmail(signupInfo['from'], email, msg)\n", "role": "user" }, { "content": "issueViaEmail", "role": "assistant" } ]
def x(self, username, domain): if len(username) < 2: return [False, u'Username too short'] for char in u'[ ,:;<>@()!"\'%&\\|\t\x08': if char in username: return [False, u"Username contains invalid character: '%s'" % char] try: parseAddress('<%s@example.com>' % (username,)) except ArgumentError: return [False, u'Username fails to parse'] if domain not in self.getAvailableDomains(): return [False, u'Domain not allowed'] query = self.store.query(userbase.LoginMethod, AND(userbase.LoginMethod .localpart == username, userbase.LoginMethod.domain == domain)) return [not bool(query.count()), u'Username already taken']
usernameAvailable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, domain):\n if len(username) < 2:\n return [False, u'Username too short']\n for char in u'[ ,:;<>@()!\"\\'%&\\\\|\\t\\x08':\n if char in username:\n return [False, u\"Username contains invalid character: '%s'\" % char]\n try:\n parseAddress('<%s@example.com>' % (username,))\n except ArgumentError:\n return [False, u'Username fails to parse']\n if domain not in self.getAvailableDomains():\n return [False, u'Domain not allowed']\n query = self.store.query(userbase.LoginMethod, AND(userbase.LoginMethod\n .localpart == username, userbase.LoginMethod.domain == domain))\n return [not bool(query.count()), u'Username already taken']\n", "role": "user" }, { "content": "usernameAvailable", "role": "assistant" } ]
def x(self, realName, username, domain, password, emailAddress): def x(): loginsystem = self.store.findUnique(userbase.LoginSystem) acct = loginsystem.addAccount(username, domain, password, verified= True, internal=True) emailPart, emailDomain = emailAddress.split('@') acct.addLoginMethod(emailPart, emailDomain, protocol=u'email', verified=False, internal=False) substore = IBeneficiary(acct) UserInfo(store=substore, realName=realName) self.product.installProductOn(substore) self.store.transact(_)
createUser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, realName, username, domain, password, emailAddress):\n\n def x():\n loginsystem = self.store.findUnique(userbase.LoginSystem)\n acct = loginsystem.addAccount(username, domain, password, verified=\n True, internal=True)\n emailPart, emailDomain = emailAddress.split('@')\n acct.addLoginMethod(emailPart, emailDomain, protocol=u'email',\n verified=False, internal=False)\n substore = IBeneficiary(acct)\n UserInfo(store=substore, realName=realName)\n self.product.installProductOn(substore)\n self.store.transact(_)\n", "role": "user" }, { "content": "createUser", "role": "assistant" } ]
def x(self, creator, signupClass, signupConf, product, emailTemplate, prompt): siteStore = self.store.parent booth = siteStore.findOrCreate(TicketBooth, lambda booth: installOn( booth, siteStore)) signupItem = signupClass(store=siteStore, booth=booth, product=product, emailTemplate=emailTemplate, prompt=prompt, **signupConf) siteStore.powerUp(signupItem) _SignupTracker(store=siteStore, signupItem=signupItem, createdOn=extime .Time(), createdBy=creator) return signupItem
createSignup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, creator, signupClass, signupConf, product, emailTemplate, prompt):\n siteStore = self.store.parent\n booth = siteStore.findOrCreate(TicketBooth, lambda booth: installOn(\n booth, siteStore))\n signupItem = signupClass(store=siteStore, booth=booth, product=product,\n emailTemplate=emailTemplate, prompt=prompt, **signupConf)\n siteStore.powerUp(signupItem)\n _SignupTracker(store=siteStore, signupItem=signupItem, createdOn=extime\n .Time(), createdBy=creator)\n return signupItem\n", "role": "user" }, { "content": "createSignup", "role": "assistant" } ]
def x(self): productPicker = liveform.LiveForm(self.coerceProduct, [liveform. Parameter(str(id(product)), liveform.FORM_INPUT, liveform.LiveForm( lambda selectedProduct, product=product: selectedProduct and product, [liveform.Parameter('selectedProduct', liveform. RADIO_INPUT, bool, repr(product))])) for product in self.original. store.parent.query(Product)], u'Product to Install') return productPicker
makeProductPicker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n productPicker = liveform.LiveForm(self.coerceProduct, [liveform.\n Parameter(str(id(product)), liveform.FORM_INPUT, liveform.LiveForm(\n lambda selectedProduct, product=product: selectedProduct and\n product, [liveform.Parameter('selectedProduct', liveform.\n RADIO_INPUT, bool, repr(product))])) for product in self.original.\n store.parent.query(Product)], u'Product to Install')\n return productPicker\n", "role": "user" }, { "content": "makeProductPicker", "role": "assistant" } ]
def x(self, trackers): for tracker in trackers: if tracker.store is None: continue sig = tracker.signupItem for iface in sig.store.interfacesFor(sig): sig.store.powerDown(sig, iface) tracker.deleteFromStore() sig.deleteFromStore()
deleteTrackers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, trackers):\n for tracker in trackers:\n if tracker.store is None:\n continue\n sig = tracker.signupItem\n for iface in sig.store.interfacesFor(sig):\n sig.store.powerDown(sig, iface)\n tracker.deleteFromStore()\n sig.deleteFromStore()\n", "role": "user" }, { "content": "deleteTrackers", "role": "assistant" } ]
def x(self): api = self.doapi_manager return api._image(api.request(self.url)['image'])
fetch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n api = self.doapi_manager\n return api._image(api.request(self.url)['image'])\n", "role": "user" }, { "content": "fetch", "role": "assistant" } ]