source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, char, echo, insptr, line): if not self._readline_do_echo(echo): return self.write(char + ''.join(line[insptr:])) char_count = len(line) - insptr self.write(self.CODES['CSRLEFT'] * char_count)
readline_insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, char, echo, insptr, line):\n if not self._readline_do_echo(echo):\n return\n self.write(char + ''.join(line[insptr:]))\n char_count = len(line) - insptr\n self.write(self.CODES['CSRLEFT'] * char_count)\n", "role": "user" }, { "content": "readline_insert", "role": "assistant" } ]
def x(self, char): if char != ESC: return char if self.getc(block=True) != ANSI_START_SEQ: self._readline_echo(BELL, True) return theNULL key = self.getc(block=True) try: return ANSI_KEY_TO_CURSES[key] except: self._readline_echo(BELL, True) return theNULL
ansi_to_curses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, char):\n if char != ESC:\n return char\n if self.getc(block=True) != ANSI_START_SEQ:\n self._readline_echo(BELL, True)\n return theNULL\n key = self.getc(block=True)\n try:\n return ANSI_KEY_TO_CURSES[key]\n except:\n self._readline_echo(BELL, True)\n return theNULL\n", "role": "user" }, { "content": "ansi_to_curses", "role": "assistant" } ]
def x(self, echo=None, prompt='', use_history=True): line = [] insptr = 0 ansi = 0 histptr = len(self.history) if self.DOECHO: self.write(prompt) self._current_prompt = prompt else: self._current_prompt = '' self._current_line = '' while True: c = self.getc(block=True) c = self.ansi_to_curses(c) if c == theNULL: continue elif c == curses.KEY_LEFT: if insptr > 0: insptr = insptr - 1 self._readline_echo(self.CODES['CSRLEFT'], echo) else: self._readline_echo(BELL, echo) continue elif c == curses.KEY_RIGHT: if insptr < len(line): insptr = insptr + 1 self._readline_echo(self.CODES['CSRRIGHT'], echo) else: self._readline_echo(BELL, echo) continue elif c == curses.KEY_UP or c == curses.KEY_DOWN: if not use_history: self._readline_echo(BELL, echo) continue if c == curses.KEY_UP: if histptr > 0: histptr = histptr - 1 else: self._readline_echo(BELL, echo) continue elif c == curses.KEY_DOWN: if histptr < len(self.history): histptr = histptr + 1 else: self._readline_echo(BELL, echo) continue line = [] if histptr < len(self.history): line.extend(self.history[histptr]) for char in range(insptr): self._readline_echo(self.CODES['CSRLEFT'], echo) self._readline_echo(self.CODES['DEOL'], echo) self._readline_echo(''.join(line), echo) insptr = len(line) continue elif c == chr(3): self._readline_echo('\n' + curses.ascii.unctrl(c) + ' ABORT\n', echo) return '' elif c == chr(4): if len(line) > 0: self._readline_echo('\n' + curses.ascii.unctrl(c) + ' ABORT (QUIT)\n', echo) return '' self._readline_echo('\n' + curses.ascii.unctrl(c) + ' QUIT\n', echo ) return 'QUIT' elif c == chr(10): self._readline_echo(c, echo) result = ''.join(line) if use_history: self.history.append(result) if echo is False: if prompt: self.write(chr(10)) log.debug('readline: %s(hidden text)', prompt) else: log.debug('readline: %s%r', prompt, result) return result elif c == curses.KEY_BACKSPACE or c == chr(127) or c == chr(8): if insptr > 0: self._readline_echo(self.CODES['CSRLEFT'] + self.CODES[ 'DEL'], echo) insptr = insptr - 1 del line[insptr] else: self._readline_echo(BELL, echo) continue elif c == curses.KEY_DC: if insptr < len(line): self._readline_echo(self.CODES['DEL'], echo) del line[insptr] else: self._readline_echo(BELL, echo) continue else: if ord(c) < 32: c = curses.ascii.unctrl(c) if len(line) > insptr: self._readline_insert(c, echo, insptr, line) else: self._readline_echo(c, echo) line[insptr:insptr] = c insptr = insptr + len(c) if self._readline_do_echo(echo): self._current_line = line
readline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, echo=None, prompt='', use_history=True):\n line = []\n insptr = 0\n ansi = 0\n histptr = len(self.history)\n if self.DOECHO:\n self.write(prompt)\n self._current_prompt = prompt\n else:\n self._current_prompt = ''\n self._current_line = ''\n while True:\n c = self.getc(block=True)\n c = self.ansi_to_curses(c)\n if c == theNULL:\n continue\n elif c == curses.KEY_LEFT:\n if insptr > 0:\n insptr = insptr - 1\n self._readline_echo(self.CODES['CSRLEFT'], echo)\n else:\n self._readline_echo(BELL, echo)\n continue\n elif c == curses.KEY_RIGHT:\n if insptr < len(line):\n insptr = insptr + 1\n self._readline_echo(self.CODES['CSRRIGHT'], echo)\n else:\n self._readline_echo(BELL, echo)\n continue\n elif c == curses.KEY_UP or c == curses.KEY_DOWN:\n if not use_history:\n self._readline_echo(BELL, echo)\n continue\n if c == curses.KEY_UP:\n if histptr > 0:\n histptr = histptr - 1\n else:\n self._readline_echo(BELL, echo)\n continue\n elif c == curses.KEY_DOWN:\n if histptr < len(self.history):\n histptr = histptr + 1\n else:\n self._readline_echo(BELL, echo)\n continue\n line = []\n if histptr < len(self.history):\n line.extend(self.history[histptr])\n for char in range(insptr):\n self._readline_echo(self.CODES['CSRLEFT'], echo)\n self._readline_echo(self.CODES['DEOL'], echo)\n self._readline_echo(''.join(line), echo)\n insptr = len(line)\n continue\n elif c == chr(3):\n self._readline_echo('\\n' + curses.ascii.unctrl(c) + ' ABORT\\n',\n echo)\n return ''\n elif c == chr(4):\n if len(line) > 0:\n self._readline_echo('\\n' + curses.ascii.unctrl(c) +\n ' ABORT (QUIT)\\n', echo)\n return ''\n self._readline_echo('\\n' + curses.ascii.unctrl(c) + ' QUIT\\n', echo\n )\n return 'QUIT'\n elif c == chr(10):\n self._readline_echo(c, echo)\n result = ''.join(line)\n if use_history:\n self.history.append(result)\n if echo is False:\n if prompt:\n self.write(chr(10))\n log.debug('readline: %s(hidden text)', prompt)\n else:\n log.debug('readline: %s%r', prompt, result)\n return result\n elif c == curses.KEY_BACKSPACE or c == chr(127) or c == chr(8):\n if insptr > 0:\n self._readline_echo(self.CODES['CSRLEFT'] + self.CODES[\n 'DEL'], echo)\n insptr = insptr - 1\n del line[insptr]\n else:\n self._readline_echo(BELL, echo)\n continue\n elif c == curses.KEY_DC:\n if insptr < len(line):\n self._readline_echo(self.CODES['DEL'], echo)\n del line[insptr]\n else:\n self._readline_echo(BELL, echo)\n continue\n else:\n if ord(c) < 32:\n c = curses.ascii.unctrl(c)\n if len(line) > insptr:\n self._readline_insert(c, echo, insptr, line)\n else:\n self._readline_echo(c, echo)\n line[insptr:insptr] = c\n insptr = insptr + len(c)\n if self._readline_do_echo(echo):\n self._current_line = line\n", "role": "user" }, { "content": "readline", "role": "assistant" } ]
def x(self, text): log.debug('writing line %r' % text) self.write(text + chr(10))
writeline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n log.debug('writing line %r' % text)\n self.write(text + chr(10))\n", "role": "user" }, { "content": "writeline", "role": "assistant" } ]
def x(self, text): log.debug('writing message %r', text) self.write(chr(10) + text + chr(10)) self.write(self._current_prompt + ''.join(self._current_line))
writemessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n log.debug('writing message %r', text)\n self.write(chr(10) + text + chr(10))\n self.write(self._current_prompt + ''.join(self._current_line))\n", "role": "user" }, { "content": "writemessage", "role": "assistant" } ]
def x(self, text): text = str(text) text = text.replace(IAC, IAC + IAC) text = text.replace(chr(10), chr(13) + chr(10)) self.writecooked(text)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n text = str(text)\n text = text.replace(IAC, IAC + IAC)\n text = text.replace(chr(10), chr(13) + chr(10))\n self.writecooked(text)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, block=True): if self.rawq: ret = self.rawq[0] self.rawq = self.rawq[1:] return ret if not block: if not self.inputcooker_socket_ready(): return '' ret = self.sock.recv(20) self.eof = not ret self.rawq = self.rawq + ret if self.eof: raise EOFError return self._inputcooker_getc(block)
inputcooker_getc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block=True):\n if self.rawq:\n ret = self.rawq[0]\n self.rawq = self.rawq[1:]\n return ret\n if not block:\n if not self.inputcooker_socket_ready():\n return ''\n ret = self.sock.recv(20)\n self.eof = not ret\n self.rawq = self.rawq + ret\n if self.eof:\n raise EOFError\n return self._inputcooker_getc(block)\n", "role": "user" }, { "content": "inputcooker_getc", "role": "assistant" } ]
def x(self, char): if self.sb: self.sbdataq = self.sbdataq + char else: self.inputcooker_store_queue(char)
inputcooker_store
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, char):\n if self.sb:\n self.sbdataq = self.sbdataq + char\n else:\n self.inputcooker_store_queue(char)\n", "role": "user" }, { "content": "inputcooker_store", "role": "assistant" } ]
def x(self): try: while True: c = self._inputcooker_getc() if not self.iacseq: if c == IAC: self.iacseq += c continue elif c == chr(13) and not self.sb: c2 = self._inputcooker_getc(block=False) if c2 == theNULL or c2 == '': c = chr(10) elif c2 == chr(10): c = c2 else: self._inputcooker_ungetc(c2) c = chr(10) elif c in [x[0] for x in self.ESCSEQ.keys()]: """Looks like the begining of a key sequence""" codes = c for keyseq in self.ESCSEQ.keys(): if len(keyseq) == 0: continue while codes == keyseq[:len(codes)] and len(codes ) <= keyseq: if codes == keyseq: c = self.ESCSEQ[keyseq] break codes = codes + self._inputcooker_getc() if codes == keyseq: break self._inputcooker_ungetc(codes[1:]) codes = codes[0] self._inputcooker_store(c) elif len(self.iacseq) == 1: """IAC: IAC CMD [OPTION only for WILL/WONT/DO/DONT]""" if c in (DO, DONT, WILL, WONT): self.iacseq += c continue self.iacseq = '' if c == IAC: self._inputcooker_store(c) else: if c == SB: self.sb = 1 self.sbdataq = '' elif c == SE: self.sb = 0 self.options_handler(self.sock, c, NOOPT) elif len(self.iacseq) == 2: cmd = self.iacseq[1] self.iacseq = '' if cmd in (DO, DONT, WILL, WONT): self.options_handler(self.sock, cmd, c) except (EOFError, socket.error): pass
inputcooker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n while True:\n c = self._inputcooker_getc()\n if not self.iacseq:\n if c == IAC:\n self.iacseq += c\n continue\n elif c == chr(13) and not self.sb:\n c2 = self._inputcooker_getc(block=False)\n if c2 == theNULL or c2 == '':\n c = chr(10)\n elif c2 == chr(10):\n c = c2\n else:\n self._inputcooker_ungetc(c2)\n c = chr(10)\n elif c in [x[0] for x in self.ESCSEQ.keys()]:\n \"\"\"Looks like the begining of a key sequence\"\"\"\n codes = c\n for keyseq in self.ESCSEQ.keys():\n if len(keyseq) == 0:\n continue\n while codes == keyseq[:len(codes)] and len(codes\n ) <= keyseq:\n if codes == keyseq:\n c = self.ESCSEQ[keyseq]\n break\n codes = codes + self._inputcooker_getc()\n if codes == keyseq:\n break\n self._inputcooker_ungetc(codes[1:])\n codes = codes[0]\n self._inputcooker_store(c)\n elif len(self.iacseq) == 1:\n \"\"\"IAC: IAC CMD [OPTION only for WILL/WONT/DO/DONT]\"\"\"\n if c in (DO, DONT, WILL, WONT):\n self.iacseq += c\n continue\n self.iacseq = ''\n if c == IAC:\n self._inputcooker_store(c)\n else:\n if c == SB:\n self.sb = 1\n self.sbdataq = ''\n elif c == SE:\n self.sb = 0\n self.options_handler(self.sock, c, NOOPT)\n elif len(self.iacseq) == 2:\n cmd = self.iacseq[1]\n self.iacseq = ''\n if cmd in (DO, DONT, WILL, WONT):\n self.options_handler(self.sock, cmd, c)\n except (EOFError, socket.error):\n pass\n", "role": "user" }, { "content": "inputcooker", "role": "assistant" } ]
def x(self, params): if params: cmd = params[0].upper() if self.COMMANDS.has_key(cmd): method = self.COMMANDS[cmd] doc = method.__doc__.split('\n') docp = doc[0].strip() docl = '\n'.join([l.strip() for l in doc[2:]]) if not docl.strip(): docl = doc[1].strip() self.writeline('%s %s\n\n%s' % (cmd, docp, docl)) return else: self.writeline("Command '%s' not known" % cmd) else: self.writeline('Help on built in commands\n') keys = self.COMMANDS.keys() keys.sort() for cmd in keys: method = self.COMMANDS[cmd] if getattr(method, 'hidden', False): continue if method.__doc__ == None: self.writeline('no help for command %s' % method) return doc = method.__doc__.split('\n') docp = doc[0].strip() docs = doc[1].strip() if len(docp) > 0: docps = '%s - %s' % (docp, docs) else: docps = '- %s' % (docs,) self.writeline('%s %s' % (cmd, docps))
cmdHELP
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, params):\n if params:\n cmd = params[0].upper()\n if self.COMMANDS.has_key(cmd):\n method = self.COMMANDS[cmd]\n doc = method.__doc__.split('\\n')\n docp = doc[0].strip()\n docl = '\\n'.join([l.strip() for l in doc[2:]])\n if not docl.strip():\n docl = doc[1].strip()\n self.writeline('%s %s\\n\\n%s' % (cmd, docp, docl))\n return\n else:\n self.writeline(\"Command '%s' not known\" % cmd)\n else:\n self.writeline('Help on built in commands\\n')\n keys = self.COMMANDS.keys()\n keys.sort()\n for cmd in keys:\n method = self.COMMANDS[cmd]\n if getattr(method, 'hidden', False):\n continue\n if method.__doc__ == None:\n self.writeline('no help for command %s' % method)\n return\n doc = method.__doc__.split('\\n')\n docp = doc[0].strip()\n docs = doc[1].strip()\n if len(docp) > 0:\n docps = '%s - %s' % (docp, docs)\n else:\n docps = '- %s' % (docs,)\n self.writeline('%s %s' % (cmd, docps))\n", "role": "user" }, { "content": "cmdHELP", "role": "assistant" } ]
def x(self, params): cnt = 0 self.writeline('Command history\n') for line in self.history: cnt = cnt + 1 self.writeline('%-5d : %s' % (cnt, ''.join(line)))
cmdHISTORY
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, params):\n cnt = 0\n self.writeline('Command history\\n')\n for line in self.history:\n cnt = cnt + 1\n self.writeline('%-5d : %s' % (cnt, ''.join(line)))\n", "role": "user" }, { "content": "cmdHISTORY", "role": "assistant" } ]
def x(self, exc_type, exc_param, exc_tb): self.writeline(''.join(traceback.format_exception(exc_type, exc_param, exc_tb))) return True
handleException
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, exc_type, exc_param, exc_tb):\n self.writeline(''.join(traceback.format_exception(exc_type, exc_param,\n exc_tb)))\n return True\n", "role": "user" }, { "content": "handleException", "role": "assistant" } ]
def x(self): username = None password = None if self.authCallback: if self.authNeedUser: username = self.readline(prompt=self.PROMPT_USER, use_history=False ) if self.authNeedPass: password = self.readline(echo=False, prompt=self.PROMPT_PASS, use_history=False) if self.DOECHO: self.write('\n') try: self.authCallback(username, password) except: self.username = None return False else: self.username = username return True else: self.username = None return True
authentication_ok
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n username = None\n password = None\n if self.authCallback:\n if self.authNeedUser:\n username = self.readline(prompt=self.PROMPT_USER, use_history=False\n )\n if self.authNeedPass:\n password = self.readline(echo=False, prompt=self.PROMPT_PASS,\n use_history=False)\n if self.DOECHO:\n self.write('\\n')\n try:\n self.authCallback(username, password)\n except:\n self.username = None\n return False\n else:\n self.username = username\n return True\n else:\n self.username = None\n return True\n", "role": "user" }, { "content": "authentication_ok", "role": "assistant" } ]
def x(self): if self.TELNET_ISSUE: self.writeline(self.TELNET_ISSUE) if not self.authentication_ok(): return if self.DOECHO: self.writeline(self.WELCOME) self.session_start() while self.RUNSHELL: raw_input = self.readline(prompt=self.PROMPT).strip() self.input = self.input_reader(self, raw_input) self.raw_input = self.input.raw if self.input.cmd: cmd = self.input.cmd.upper() params = self.input.params if self.COMMANDS.has_key(cmd): try: self.COMMANDS[cmd](params) except: log.exception('Error calling %s.' % cmd) t, p, tb = sys.exc_info() if self.handleException(t, p, tb): break else: self.writeerror("Unknown command '%s'" % cmd) log.debug('Exiting handler')
handle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.TELNET_ISSUE:\n self.writeline(self.TELNET_ISSUE)\n if not self.authentication_ok():\n return\n if self.DOECHO:\n self.writeline(self.WELCOME)\n self.session_start()\n while self.RUNSHELL:\n raw_input = self.readline(prompt=self.PROMPT).strip()\n self.input = self.input_reader(self, raw_input)\n self.raw_input = self.input.raw\n if self.input.cmd:\n cmd = self.input.cmd.upper()\n params = self.input.params\n if self.COMMANDS.has_key(cmd):\n try:\n self.COMMANDS[cmd](params)\n except:\n log.exception('Error calling %s.' % cmd)\n t, p, tb = sys.exc_info()\n if self.handleException(t, p, tb):\n break\n else:\n self.writeerror(\"Unknown command '%s'\" % cmd)\n log.debug('Exiting handler')\n", "role": "user" }, { "content": "handle", "role": "assistant" } ]
def x(self): TelnetHandlerBase.setup(self) self.greenlet_ic = gevent.spawn(self.inputcooker) gevent.sleep(0.5)
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n TelnetHandlerBase.setup(self)\n self.greenlet_ic = gevent.spawn(self.inputcooker)\n gevent.sleep(0.5)\n", "role": "user" }, { "content": "setup", "role": "assistant" } ]
def x(self, block=True): try: return self.cookedq.get(block) except gevent.queue.Empty: return ''
getc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block=True):\n try:\n return self.cookedq.get(block)\n except gevent.queue.Empty:\n return ''\n", "role": "user" }, { "content": "getc", "role": "assistant" } ]
def x(self, personal_number, **kwargs): if 'requirementAlternatives' in kwargs: warnings.warn('Requirement Alternatives option is not tested.', BankIDWarning) try: out = self.client.service.Authenticate(personalNumber= personal_number, **kwargs) except Error as e: raise get_error_class(e, 'Could not complete Authenticate order.') return self._dictify(out)
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, personal_number, **kwargs):\n if 'requirementAlternatives' in kwargs:\n warnings.warn('Requirement Alternatives option is not tested.',\n BankIDWarning)\n try:\n out = self.client.service.Authenticate(personalNumber=\n personal_number, **kwargs)\n except Error as e:\n raise get_error_class(e, 'Could not complete Authenticate order.')\n return self._dictify(out)\n", "role": "user" }, { "content": "authenticate", "role": "assistant" } ]
def x(self, user_visible_data, personal_number=None, **kwargs): if 'requirementAlternatives' in kwargs: warnings.warn('Requirement Alternatives option is not tested.', BankIDWarning) if isinstance(user_visible_data, six.text_type): data = base64.b64encode(user_visible_data.encode('utf-8')).decode( 'ascii') else: data = base64.b64encode(user_visible_data).decode('ascii') try: out = self.client.service.Sign(userVisibleData=data, personalNumber =personal_number, **kwargs) except Error as e: raise get_error_class(e, 'Could not complete Sign order.') return self._dictify(out)
sign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_visible_data, personal_number=None, **kwargs):\n if 'requirementAlternatives' in kwargs:\n warnings.warn('Requirement Alternatives option is not tested.',\n BankIDWarning)\n if isinstance(user_visible_data, six.text_type):\n data = base64.b64encode(user_visible_data.encode('utf-8')).decode(\n 'ascii')\n else:\n data = base64.b64encode(user_visible_data).decode('ascii')\n try:\n out = self.client.service.Sign(userVisibleData=data, personalNumber\n =personal_number, **kwargs)\n except Error as e:\n raise get_error_class(e, 'Could not complete Sign order.')\n return self._dictify(out)\n", "role": "user" }, { "content": "sign", "role": "assistant" } ]
def x(self, order_ref): try: out = self.client.service.Collect(order_ref) except Error as e: raise get_error_class(e, 'Could not complete Collect call.') return self._dictify(out)
collect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order_ref):\n try:\n out = self.client.service.Collect(order_ref)\n except Error as e:\n raise get_error_class(e, 'Could not complete Collect call.')\n return self._dictify(out)\n", "role": "user" }, { "content": "collect", "role": "assistant" } ]
def x(self, doc): return {k: (self._dictify(doc[k]) if hasattr(doc[k], '_xsd_type') else doc[k]) for k in doc}
dictify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc):\n return {k: (self._dictify(doc[k]) if hasattr(doc[k], '_xsd_type') else\n doc[k]) for k in doc}\n", "role": "user" }, { "content": "dictify", "role": "assistant" } ]
def x(self, options): if 'entityTypes' in options: for entity in options['entityTypes']: if entity['type' ] == ENTITY_TYPES.IMAGE and 'imageFormats' in entity: if entity['imageFormats'] == '__all__': entity['imageFormats'] = get_all_image_formats() return options
intercept_image_formats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, options):\n if 'entityTypes' in options:\n for entity in options['entityTypes']:\n if entity['type'\n ] == ENTITY_TYPES.IMAGE and 'imageFormats' in entity:\n if entity['imageFormats'] == '__all__':\n entity['imageFormats'] = get_all_image_formats()\n return options\n", "role": "user" }, { "content": "intercept_image_formats", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if self._timestamp is not None: self._normalized_timestamp = decimal.Decimal(self._timestamp) return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if self._timestamp is not None:\n self._normalized_timestamp = decimal.Decimal(self._timestamp)\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self, time_string): date_time_values = self._CopyDateTimeFromString(time_string) year = date_time_values.get('year', 0) month = date_time_values.get('month', 0) day_of_month = date_time_values.get('day_of_month', 0) hours = date_time_values.get('hours', 0) minutes = date_time_values.get('minutes', 0) seconds = date_time_values.get('seconds', 0) self._timestamp = self._GetNumberOfSecondsFromElements(year, month, day_of_month, hours, minutes, seconds) self.is_local_time = False
CopyFromDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n date_time_values = self._CopyDateTimeFromString(time_string)\n year = date_time_values.get('year', 0)\n month = date_time_values.get('month', 0)\n day_of_month = date_time_values.get('day_of_month', 0)\n hours = date_time_values.get('hours', 0)\n minutes = date_time_values.get('minutes', 0)\n seconds = date_time_values.get('seconds', 0)\n self._timestamp = self._GetNumberOfSecondsFromElements(year, month,\n day_of_month, hours, minutes, seconds)\n self.is_local_time = False\n", "role": "user" }, { "content": "CopyFromDateTimeString", "role": "assistant" } ]
def x(self): if self._timestamp is None: return None number_of_days, hours, minutes, seconds = self._GetTimeValues(self. _timestamp) year, month, day_of_month = self._GetDateValuesWithEpoch(number_of_days, self._EPOCH) return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}'.format(year, month, day_of_month, hours, minutes, seconds)
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._timestamp is None:\n return None\n number_of_days, hours, minutes, seconds = self._GetTimeValues(self.\n _timestamp)\n year, month, day_of_month = self._GetDateValuesWithEpoch(number_of_days,\n self._EPOCH)\n return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}'.format(year,\n month, day_of_month, hours, minutes, seconds)\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if self._timestamp is not None: self._normalized_timestamp = decimal.Decimal(self._timestamp ) / definitions.MILLISECONDS_PER_SECOND return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if self._timestamp is not None:\n self._normalized_timestamp = decimal.Decimal(self._timestamp\n ) / definitions.MILLISECONDS_PER_SECOND\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self, time_string): date_time_values = self._CopyDateTimeFromString(time_string) year = date_time_values.get('year', 0) month = date_time_values.get('month', 0) day_of_month = date_time_values.get('day_of_month', 0) hours = date_time_values.get('hours', 0) minutes = date_time_values.get('minutes', 0) seconds = date_time_values.get('seconds', 0) microseconds = date_time_values.get('microseconds', 0) timestamp = self._GetNumberOfSecondsFromElements(year, month, day_of_month, hours, minutes, seconds) timestamp *= definitions.MILLISECONDS_PER_SECOND if microseconds: milliseconds, _ = divmod(microseconds, definitions. MILLISECONDS_PER_SECOND) timestamp += milliseconds self._timestamp = timestamp self.is_local_time = False
CopyFromDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n date_time_values = self._CopyDateTimeFromString(time_string)\n year = date_time_values.get('year', 0)\n month = date_time_values.get('month', 0)\n day_of_month = date_time_values.get('day_of_month', 0)\n hours = date_time_values.get('hours', 0)\n minutes = date_time_values.get('minutes', 0)\n seconds = date_time_values.get('seconds', 0)\n microseconds = date_time_values.get('microseconds', 0)\n timestamp = self._GetNumberOfSecondsFromElements(year, month,\n day_of_month, hours, minutes, seconds)\n timestamp *= definitions.MILLISECONDS_PER_SECOND\n if microseconds:\n milliseconds, _ = divmod(microseconds, definitions.\n MILLISECONDS_PER_SECOND)\n timestamp += milliseconds\n self._timestamp = timestamp\n self.is_local_time = False\n", "role": "user" }, { "content": "CopyFromDateTimeString", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if self._timestamp is not None: self._normalized_timestamp = decimal.Decimal(self._timestamp ) / definitions.MICROSECONDS_PER_SECOND return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if self._timestamp is not None:\n self._normalized_timestamp = decimal.Decimal(self._timestamp\n ) / definitions.MICROSECONDS_PER_SECOND\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if self._timestamp is not None: self._normalized_timestamp = decimal.Decimal(self._timestamp ) / definitions.NANOSECONDS_PER_SECOND return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if self._timestamp is not None:\n self._normalized_timestamp = decimal.Decimal(self._timestamp\n ) / definitions.NANOSECONDS_PER_SECOND\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self, time_string): date_time_values = self._CopyDateTimeFromString(time_string) year = date_time_values.get('year', 0) month = date_time_values.get('month', 0) day_of_month = date_time_values.get('day_of_month', 0) hours = date_time_values.get('hours', 0) minutes = date_time_values.get('minutes', 0) seconds = date_time_values.get('seconds', 0) microseconds = date_time_values.get('microseconds', None) timestamp = self._GetNumberOfSecondsFromElements(year, month, day_of_month, hours, minutes, seconds) timestamp *= definitions.NANOSECONDS_PER_SECOND if microseconds: nanoseconds = microseconds * definitions.MILLISECONDS_PER_SECOND timestamp += nanoseconds self._normalized_timestamp = None self._timestamp = timestamp
CopyFromDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n date_time_values = self._CopyDateTimeFromString(time_string)\n year = date_time_values.get('year', 0)\n month = date_time_values.get('month', 0)\n day_of_month = date_time_values.get('day_of_month', 0)\n hours = date_time_values.get('hours', 0)\n minutes = date_time_values.get('minutes', 0)\n seconds = date_time_values.get('seconds', 0)\n microseconds = date_time_values.get('microseconds', None)\n timestamp = self._GetNumberOfSecondsFromElements(year, month,\n day_of_month, hours, minutes, seconds)\n timestamp *= definitions.NANOSECONDS_PER_SECOND\n if microseconds:\n nanoseconds = microseconds * definitions.MILLISECONDS_PER_SECOND\n timestamp += nanoseconds\n self._normalized_timestamp = None\n self._timestamp = timestamp\n", "role": "user" }, { "content": "CopyFromDateTimeString", "role": "assistant" } ]
def x(self): if self._timestamp is None: return None timestamp, nanoseconds = divmod(self._timestamp, definitions. NANOSECONDS_PER_SECOND) number_of_days, hours, minutes, seconds = self._GetTimeValues(timestamp) year, month, day_of_month = self._GetDateValuesWithEpoch(number_of_days, self._EPOCH) return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:09d}'.format( year, month, day_of_month, hours, minutes, seconds, nanoseconds)
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._timestamp is None:\n return None\n timestamp, nanoseconds = divmod(self._timestamp, definitions.\n NANOSECONDS_PER_SECOND)\n number_of_days, hours, minutes, seconds = self._GetTimeValues(timestamp)\n year, month, day_of_month = self._GetDateValuesWithEpoch(number_of_days,\n self._EPOCH)\n return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:09d}'.format(\n year, month, day_of_month, hours, minutes, seconds, nanoseconds)\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if self._timestamp is not None: self._normalized_timestamp = decimal.Decimal(self._timestamp ) - self._DELPHI_TO_POSIX_BASE self._normalized_timestamp *= definitions.SECONDS_PER_DAY return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if self._timestamp is not None:\n self._normalized_timestamp = decimal.Decimal(self._timestamp\n ) - self._DELPHI_TO_POSIX_BASE\n self._normalized_timestamp *= definitions.SECONDS_PER_DAY\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self, time_string): date_time_values = self._CopyDateTimeFromString(time_string) year = date_time_values.get('year', 0) month = date_time_values.get('month', 0) day_of_month = date_time_values.get('day_of_month', 0) hours = date_time_values.get('hours', 0) minutes = date_time_values.get('minutes', 0) seconds = date_time_values.get('seconds', 0) microseconds = date_time_values.get('microseconds', None) if year > 9999: raise ValueError('Unsupported year value: {0:d}.'.format(year)) timestamp = self._GetNumberOfSecondsFromElements(year, month, day_of_month, hours, minutes, seconds) timestamp = float(timestamp) / definitions.SECONDS_PER_DAY timestamp += self._DELPHI_TO_POSIX_BASE if microseconds is not None: timestamp += float(microseconds) / definitions.MICROSECONDS_PER_DAY self._normalized_timestamp = None self._timestamp = timestamp self.is_local_time = False
CopyFromDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n date_time_values = self._CopyDateTimeFromString(time_string)\n year = date_time_values.get('year', 0)\n month = date_time_values.get('month', 0)\n day_of_month = date_time_values.get('day_of_month', 0)\n hours = date_time_values.get('hours', 0)\n minutes = date_time_values.get('minutes', 0)\n seconds = date_time_values.get('seconds', 0)\n microseconds = date_time_values.get('microseconds', None)\n if year > 9999:\n raise ValueError('Unsupported year value: {0:d}.'.format(year))\n timestamp = self._GetNumberOfSecondsFromElements(year, month,\n day_of_month, hours, minutes, seconds)\n timestamp = float(timestamp) / definitions.SECONDS_PER_DAY\n timestamp += self._DELPHI_TO_POSIX_BASE\n if microseconds is not None:\n timestamp += float(microseconds) / definitions.MICROSECONDS_PER_DAY\n self._normalized_timestamp = None\n self._timestamp = timestamp\n self.is_local_time = False\n", "role": "user" }, { "content": "CopyFromDateTimeString", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if (self._timestamp is not None and self._timestamp >= self. _INT64_MIN and self._timestamp <= self._INT64_MAX): self._normalized_timestamp = decimal.Decimal(self._timestamp ) / definitions.MICROSECONDS_PER_SECOND self._normalized_timestamp -= self._WEBKIT_TO_POSIX_BASE return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if (self._timestamp is not None and self._timestamp >= self.\n _INT64_MIN and self._timestamp <= self._INT64_MAX):\n self._normalized_timestamp = decimal.Decimal(self._timestamp\n ) / definitions.MICROSECONDS_PER_SECOND\n self._normalized_timestamp -= self._WEBKIT_TO_POSIX_BASE\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self, year, month, day_of_month, hours, minutes, time_zone_offset): hours_from_utc, minutes_from_utc = divmod(time_zone_offset, 60) minutes += minutes_from_utc if minutes >= 60: minutes -= 60 hours += 1 hours += hours_from_utc if hours < 0: hours += 24 day_of_month -= 1 elif hours >= 24: hours -= 24 day_of_month += 1 days_per_month = self._GetDaysPerMonth(year, month) if day_of_month < 1: month -= 1 if month < 1: month = 12 year -= 1 day_of_month += self._GetDaysPerMonth(year, month) elif day_of_month > days_per_month: month += 1 if month > 12: month = 1 year += 1 day_of_month -= days_per_month return year, month, day_of_month, hours, minutes
AdjustForTimeZoneOffset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, year, month, day_of_month, hours, minutes, time_zone_offset):\n hours_from_utc, minutes_from_utc = divmod(time_zone_offset, 60)\n minutes += minutes_from_utc\n if minutes >= 60:\n minutes -= 60\n hours += 1\n hours += hours_from_utc\n if hours < 0:\n hours += 24\n day_of_month -= 1\n elif hours >= 24:\n hours -= 24\n day_of_month += 1\n days_per_month = self._GetDaysPerMonth(year, month)\n if day_of_month < 1:\n month -= 1\n if month < 1:\n month = 12\n year -= 1\n day_of_month += self._GetDaysPerMonth(year, month)\n elif day_of_month > days_per_month:\n month += 1\n if month > 12:\n month = 1\n year += 1\n day_of_month -= days_per_month\n return year, month, day_of_month, hours, minutes\n", "role": "user" }, { "content": "AdjustForTimeZoneOffset", "role": "assistant" } ]
def x(self, date_string): date_string_length = len(date_string) if date_string_length < 10: raise ValueError('Date string too short.') if date_string[4] != '-' or date_string[7] != '-': raise ValueError('Invalid date string.') try: year = int(date_string[0:4], 10) except ValueError: raise ValueError('Unable to parse year.') try: month = int(date_string[5:7], 10) except ValueError: raise ValueError('Unable to parse month.') try: day_of_month = int(date_string[8:10], 10) except ValueError: raise ValueError('Unable to parse day of month.') days_per_month = self._GetDaysPerMonth(year, month) if day_of_month < 1 or day_of_month > days_per_month: raise ValueError('Day of month value out of bounds.') return year, month, day_of_month
CopyDateFromString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date_string):\n date_string_length = len(date_string)\n if date_string_length < 10:\n raise ValueError('Date string too short.')\n if date_string[4] != '-' or date_string[7] != '-':\n raise ValueError('Invalid date string.')\n try:\n year = int(date_string[0:4], 10)\n except ValueError:\n raise ValueError('Unable to parse year.')\n try:\n month = int(date_string[5:7], 10)\n except ValueError:\n raise ValueError('Unable to parse month.')\n try:\n day_of_month = int(date_string[8:10], 10)\n except ValueError:\n raise ValueError('Unable to parse day of month.')\n days_per_month = self._GetDaysPerMonth(year, month)\n if day_of_month < 1 or day_of_month > days_per_month:\n raise ValueError('Day of month value out of bounds.')\n return year, month, day_of_month\n", "role": "user" }, { "content": "CopyDateFromString", "role": "assistant" } ]
def x(self, time_string): time_string_length = len(time_string) if time_string_length < 8: raise ValueError('Time string too short.') if time_string[2] != ':' or time_string[5] != ':': raise ValueError('Invalid time string.') try: hours = int(time_string[0:2], 10) except ValueError: raise ValueError('Unable to parse hours.') if hours not in range(0, 24): raise ValueError('Hours value: {0:d} out of bounds.'.format(hours)) try: minutes = int(time_string[3:5], 10) except ValueError: raise ValueError('Unable to parse minutes.') if minutes not in range(0, 60): raise ValueError('Minutes value: {0:d} out of bounds.'.format(minutes)) try: seconds = int(time_string[6:8], 10) except ValueError: raise ValueError('Unable to parse day of seconds.') if seconds not in range(0, 60): raise ValueError('Seconds value: {0:d} out of bounds.'.format(seconds)) microseconds = None time_zone_offset = None time_zone_string_index = 8 while time_zone_string_index < time_string_length: if time_string[time_zone_string_index] in ('+', '-'): break time_zone_string_index += 1 if time_zone_string_index == time_string_length - 1: time_zone_string_index += 1 if time_string_length > 8 and time_string[8] == '.': time_fraction_length = time_zone_string_index - 9 if time_fraction_length not in (3, 6): raise ValueError('Invalid time string.') try: time_fraction = time_string[9:time_zone_string_index] time_fraction = int(time_fraction, 10) except ValueError: raise ValueError('Unable to parse time fraction.') if time_fraction_length == 3: time_fraction *= 1000 microseconds = time_fraction if time_zone_string_index < time_string_length: if time_string_length - time_zone_string_index != 6 or time_string[ time_zone_string_index + 3] != ':': raise ValueError('Invalid time string.') try: hours_from_utc = int(time_string[time_zone_string_index + 1: time_zone_string_index + 3]) except ValueError: raise ValueError('Unable to parse time zone hours offset.') if hours_from_utc not in range(0, 15): raise ValueError('Time zone hours offset value out of bounds.') try: minutes_from_utc = int(time_string[time_zone_string_index + 4: time_zone_string_index + 6]) except ValueError: raise ValueError('Unable to parse time zone minutes offset.') if minutes_from_utc not in range(0, 60): raise ValueError('Time zone minutes offset value out of bounds.') time_zone_offset = hours_from_utc * 60 + minutes_from_utc if time_string[time_zone_string_index] != '-': time_zone_offset = -time_zone_offset return hours, minutes, seconds, microseconds, time_zone_offset
CopyTimeFromString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n time_string_length = len(time_string)\n if time_string_length < 8:\n raise ValueError('Time string too short.')\n if time_string[2] != ':' or time_string[5] != ':':\n raise ValueError('Invalid time string.')\n try:\n hours = int(time_string[0:2], 10)\n except ValueError:\n raise ValueError('Unable to parse hours.')\n if hours not in range(0, 24):\n raise ValueError('Hours value: {0:d} out of bounds.'.format(hours))\n try:\n minutes = int(time_string[3:5], 10)\n except ValueError:\n raise ValueError('Unable to parse minutes.')\n if minutes not in range(0, 60):\n raise ValueError('Minutes value: {0:d} out of bounds.'.format(minutes))\n try:\n seconds = int(time_string[6:8], 10)\n except ValueError:\n raise ValueError('Unable to parse day of seconds.')\n if seconds not in range(0, 60):\n raise ValueError('Seconds value: {0:d} out of bounds.'.format(seconds))\n microseconds = None\n time_zone_offset = None\n time_zone_string_index = 8\n while time_zone_string_index < time_string_length:\n if time_string[time_zone_string_index] in ('+', '-'):\n break\n time_zone_string_index += 1\n if time_zone_string_index == time_string_length - 1:\n time_zone_string_index += 1\n if time_string_length > 8 and time_string[8] == '.':\n time_fraction_length = time_zone_string_index - 9\n if time_fraction_length not in (3, 6):\n raise ValueError('Invalid time string.')\n try:\n time_fraction = time_string[9:time_zone_string_index]\n time_fraction = int(time_fraction, 10)\n except ValueError:\n raise ValueError('Unable to parse time fraction.')\n if time_fraction_length == 3:\n time_fraction *= 1000\n microseconds = time_fraction\n if time_zone_string_index < time_string_length:\n if time_string_length - time_zone_string_index != 6 or time_string[\n time_zone_string_index + 3] != ':':\n raise ValueError('Invalid time string.')\n try:\n hours_from_utc = int(time_string[time_zone_string_index + 1:\n time_zone_string_index + 3])\n except ValueError:\n raise ValueError('Unable to parse time zone hours offset.')\n if hours_from_utc not in range(0, 15):\n raise ValueError('Time zone hours offset value out of bounds.')\n try:\n minutes_from_utc = int(time_string[time_zone_string_index + 4:\n time_zone_string_index + 6])\n except ValueError:\n raise ValueError('Unable to parse time zone minutes offset.')\n if minutes_from_utc not in range(0, 60):\n raise ValueError('Time zone minutes offset value out of bounds.')\n time_zone_offset = hours_from_utc * 60 + minutes_from_utc\n if time_string[time_zone_string_index] != '-':\n time_zone_offset = -time_zone_offset\n return hours, minutes, seconds, microseconds, time_zone_offset\n", "role": "user" }, { "content": "CopyTimeFromString", "role": "assistant" } ]
def x(self, number_of_days, epoch_year, epoch_month, epoch_day_of_month): if epoch_year < 0: raise ValueError('Epoch year value: {0:d} out of bounds.'.format( epoch_year)) if epoch_month not in range(1, 13): raise ValueError('Epoch month value: {0:d} out of bounds.'.format( epoch_month)) epoch_days_per_month = self._GetDaysPerMonth(epoch_year, epoch_month) if epoch_day_of_month < 1 or epoch_day_of_month > epoch_days_per_month: raise ValueError('Epoch day of month value: {0:d} out of bounds.'. format(epoch_day_of_month)) before_epoch = number_of_days < 0 year = epoch_year month = epoch_month if before_epoch: month -= 1 if month <= 0: month = 12 year -= 1 number_of_days += epoch_day_of_month if before_epoch: number_of_days *= -1 while month > 1: days_per_month = self._GetDaysPerMonth(year, month) if number_of_days < days_per_month: break if before_epoch: month -= 1 else: month += 1 if month > 12: month = 1 year += 1 number_of_days -= days_per_month _, remainder = divmod(year, 100) for _ in range(remainder, 100): days_in_year = self._GetNumberOfDaysInYear(year) if number_of_days < days_in_year: break if before_epoch: year -= 1 else: year += 1 number_of_days -= days_in_year days_in_century = self._GetNumberOfDaysInCentury(year) while number_of_days > days_in_century: if before_epoch: year -= 100 else: year += 100 number_of_days -= days_in_century days_in_century = self._GetNumberOfDaysInCentury(year) days_in_year = self._GetNumberOfDaysInYear(year) while number_of_days > days_in_year: if before_epoch: year -= 1 else: year += 1 number_of_days -= days_in_year days_in_year = self._GetNumberOfDaysInYear(year) days_per_month = self._GetDaysPerMonth(year, month) while number_of_days > days_per_month: if before_epoch: month -= 1 else: month += 1 if month <= 0: month = 12 year -= 1 elif month > 12: month = 1 year += 1 number_of_days -= days_per_month days_per_month = self._GetDaysPerMonth(year, month) if before_epoch: days_per_month = self._GetDaysPerMonth(year, month) number_of_days = days_per_month - number_of_days elif number_of_days == 0: number_of_days = 31 month = 12 year -= 1 return year, month, number_of_days
GetDateValues
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, number_of_days, epoch_year, epoch_month, epoch_day_of_month):\n if epoch_year < 0:\n raise ValueError('Epoch year value: {0:d} out of bounds.'.format(\n epoch_year))\n if epoch_month not in range(1, 13):\n raise ValueError('Epoch month value: {0:d} out of bounds.'.format(\n epoch_month))\n epoch_days_per_month = self._GetDaysPerMonth(epoch_year, epoch_month)\n if epoch_day_of_month < 1 or epoch_day_of_month > epoch_days_per_month:\n raise ValueError('Epoch day of month value: {0:d} out of bounds.'.\n format(epoch_day_of_month))\n before_epoch = number_of_days < 0\n year = epoch_year\n month = epoch_month\n if before_epoch:\n month -= 1\n if month <= 0:\n month = 12\n year -= 1\n number_of_days += epoch_day_of_month\n if before_epoch:\n number_of_days *= -1\n while month > 1:\n days_per_month = self._GetDaysPerMonth(year, month)\n if number_of_days < days_per_month:\n break\n if before_epoch:\n month -= 1\n else:\n month += 1\n if month > 12:\n month = 1\n year += 1\n number_of_days -= days_per_month\n _, remainder = divmod(year, 100)\n for _ in range(remainder, 100):\n days_in_year = self._GetNumberOfDaysInYear(year)\n if number_of_days < days_in_year:\n break\n if before_epoch:\n year -= 1\n else:\n year += 1\n number_of_days -= days_in_year\n days_in_century = self._GetNumberOfDaysInCentury(year)\n while number_of_days > days_in_century:\n if before_epoch:\n year -= 100\n else:\n year += 100\n number_of_days -= days_in_century\n days_in_century = self._GetNumberOfDaysInCentury(year)\n days_in_year = self._GetNumberOfDaysInYear(year)\n while number_of_days > days_in_year:\n if before_epoch:\n year -= 1\n else:\n year += 1\n number_of_days -= days_in_year\n days_in_year = self._GetNumberOfDaysInYear(year)\n days_per_month = self._GetDaysPerMonth(year, month)\n while number_of_days > days_per_month:\n if before_epoch:\n month -= 1\n else:\n month += 1\n if month <= 0:\n month = 12\n year -= 1\n elif month > 12:\n month = 1\n year += 1\n number_of_days -= days_per_month\n days_per_month = self._GetDaysPerMonth(year, month)\n if before_epoch:\n days_per_month = self._GetDaysPerMonth(year, month)\n number_of_days = days_per_month - number_of_days\n elif number_of_days == 0:\n number_of_days = 31\n month = 12\n year -= 1\n return year, month, number_of_days\n", "role": "user" }, { "content": "GetDateValues", "role": "assistant" } ]
def x(self, number_of_days, date_time_epoch): return self._GetDateValues(number_of_days, date_time_epoch.year, date_time_epoch.month, date_time_epoch.day_of_month)
GetDateValuesWithEpoch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, number_of_days, date_time_epoch):\n return self._GetDateValues(number_of_days, date_time_epoch.year,\n date_time_epoch.month, date_time_epoch.day_of_month)\n", "role": "user" }, { "content": "GetDateValuesWithEpoch", "role": "assistant" } ]
def x(self, year, month, day_of_month): if month not in range(1, 13): raise ValueError('Month value out of bounds.') days_per_month = self._GetDaysPerMonth(year, month) if day_of_month < 1 or day_of_month > days_per_month: raise ValueError('Day of month value out of bounds.') day_of_year = day_of_month for past_month in range(1, month): day_of_year += self._GetDaysPerMonth(year, past_month) return day_of_year
GetDayOfYear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, year, month, day_of_month):\n if month not in range(1, 13):\n raise ValueError('Month value out of bounds.')\n days_per_month = self._GetDaysPerMonth(year, month)\n if day_of_month < 1 or day_of_month > days_per_month:\n raise ValueError('Day of month value out of bounds.')\n day_of_year = day_of_month\n for past_month in range(1, month):\n day_of_year += self._GetDaysPerMonth(year, past_month)\n return day_of_year\n", "role": "user" }, { "content": "GetDayOfYear", "role": "assistant" } ]
def x(self, year, month): if month not in range(1, 13): raise ValueError('Month value out of bounds.') days_per_month = self._DAYS_PER_MONTH[month - 1] if month == 2 and self._IsLeapYear(year): days_per_month += 1 return days_per_month
GetDaysPerMonth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, year, month):\n if month not in range(1, 13):\n raise ValueError('Month value out of bounds.')\n days_per_month = self._DAYS_PER_MONTH[month - 1]\n if month == 2 and self._IsLeapYear(year):\n days_per_month += 1\n return days_per_month\n", "role": "user" }, { "content": "GetDaysPerMonth", "role": "assistant" } ]
def x(self, year): if year < 0: raise ValueError('Year value out of bounds.') year, _ = divmod(year, 100) if self._IsLeapYear(year): return 36525 return 36524
GetNumberOfDaysInCentury
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, year):\n if year < 0:\n raise ValueError('Year value out of bounds.')\n year, _ = divmod(year, 100)\n if self._IsLeapYear(year):\n return 36525\n return 36524\n", "role": "user" }, { "content": "GetNumberOfDaysInCentury", "role": "assistant" } ]
def x(self, year, month, day_of_month, hours, minutes, seconds): if not year or not month or not day_of_month: return None if hours is None: hours = 0 elif hours not in range(0, 24): raise ValueError('Hours value: {0!s} out of bounds.'.format(hours)) if minutes is None: minutes = 0 elif minutes not in range(0, 60): raise ValueError('Minutes value: {0!s} out of bounds.'.format(minutes)) if seconds is None: seconds = 0 elif seconds not in range(0, 60): raise ValueError('Seconds value: {0!s} out of bounds.'.format(seconds)) days_per_month = self._GetDaysPerMonth(year, month) if day_of_month < 1 or day_of_month > days_per_month: raise ValueError('Day of month value out of bounds.') time_elements_tuple = year, month, day_of_month, hours, minutes, seconds number_of_seconds = calendar.timegm(time_elements_tuple) return int(number_of_seconds)
GetNumberOfSecondsFromElements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, year, month, day_of_month, hours, minutes, seconds):\n if not year or not month or not day_of_month:\n return None\n if hours is None:\n hours = 0\n elif hours not in range(0, 24):\n raise ValueError('Hours value: {0!s} out of bounds.'.format(hours))\n if minutes is None:\n minutes = 0\n elif minutes not in range(0, 60):\n raise ValueError('Minutes value: {0!s} out of bounds.'.format(minutes))\n if seconds is None:\n seconds = 0\n elif seconds not in range(0, 60):\n raise ValueError('Seconds value: {0!s} out of bounds.'.format(seconds))\n days_per_month = self._GetDaysPerMonth(year, month)\n if day_of_month < 1 or day_of_month > days_per_month:\n raise ValueError('Day of month value out of bounds.')\n time_elements_tuple = year, month, day_of_month, hours, minutes, seconds\n number_of_seconds = calendar.timegm(time_elements_tuple)\n return int(number_of_seconds)\n", "role": "user" }, { "content": "GetNumberOfSecondsFromElements", "role": "assistant" } ]
def x(self, number_of_seconds): number_of_seconds = int(number_of_seconds) number_of_minutes, seconds = divmod(number_of_seconds, 60) number_of_hours, minutes = divmod(number_of_minutes, 60) number_of_days, hours = divmod(number_of_hours, 24) return number_of_days, hours, minutes, seconds
GetTimeValues
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, number_of_seconds):\n number_of_seconds = int(number_of_seconds)\n number_of_minutes, seconds = divmod(number_of_seconds, 60)\n number_of_hours, minutes = divmod(number_of_minutes, 60)\n number_of_days, hours = divmod(number_of_hours, 24)\n return number_of_days, hours, minutes, seconds\n", "role": "user" }, { "content": "GetTimeValues", "role": "assistant" } ]
def x(self): normalized_timestamp = self._GetNormalizedTimestamp() if normalized_timestamp is None: return None, None if self._precision in (definitions.PRECISION_1_NANOSECOND, definitions. PRECISION_100_NANOSECONDS, definitions.PRECISION_1_MICROSECOND, definitions.PRECISION_1_MILLISECOND, definitions. PRECISION_100_MILLISECONDS): remainder = int(normalized_timestamp % 1 * self._100NS_PER_SECOND) return int(normalized_timestamp), remainder return int(normalized_timestamp), None
CopyToStatTimeTuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n normalized_timestamp = self._GetNormalizedTimestamp()\n if normalized_timestamp is None:\n return None, None\n if self._precision in (definitions.PRECISION_1_NANOSECOND, definitions.\n PRECISION_100_NANOSECONDS, definitions.PRECISION_1_MICROSECOND,\n definitions.PRECISION_1_MILLISECOND, definitions.\n PRECISION_100_MILLISECONDS):\n remainder = int(normalized_timestamp % 1 * self._100NS_PER_SECOND)\n return int(normalized_timestamp), remainder\n return int(normalized_timestamp), None\n", "role": "user" }, { "content": "CopyToStatTimeTuple", "role": "assistant" } ]
def x(self): date_time_string = self.CopyToDateTimeString() if date_time_string: date_time_string = date_time_string.replace(' ', 'T') date_time_string = '{0:s}Z'.format(date_time_string) return date_time_string
CopyToDateTimeStringISO8601
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n date_time_string = self.CopyToDateTimeString()\n if date_time_string:\n date_time_string = date_time_string.replace(' ', 'T')\n date_time_string = '{0:s}Z'.format(date_time_string)\n return date_time_string\n", "role": "user" }, { "content": "CopyToDateTimeStringISO8601", "role": "assistant" } ]
def x(self): normalized_timestamp = self._GetNormalizedTimestamp() if normalized_timestamp is None: return None, None, None number_of_days, _, _, _ = self._GetTimeValues(normalized_timestamp) try: return self._GetDateValuesWithEpoch(number_of_days, self. _EPOCH_NORMALIZED_TIME) except ValueError: return None, None, None
GetDate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n normalized_timestamp = self._GetNormalizedTimestamp()\n if normalized_timestamp is None:\n return None, None, None\n number_of_days, _, _, _ = self._GetTimeValues(normalized_timestamp)\n try:\n return self._GetDateValuesWithEpoch(number_of_days, self.\n _EPOCH_NORMALIZED_TIME)\n except ValueError:\n return None, None, None\n", "role": "user" }, { "content": "GetDate", "role": "assistant" } ]
def x(self): normalized_timestamp = self._GetNormalizedTimestamp() if normalized_timestamp is None: return None normalized_timestamp *= definitions.MICROSECONDS_PER_SECOND normalized_timestamp = normalized_timestamp.quantize(1, rounding= decimal.ROUND_HALF_UP) return int(normalized_timestamp)
GetPlasoTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n normalized_timestamp = self._GetNormalizedTimestamp()\n if normalized_timestamp is None:\n return None\n normalized_timestamp *= definitions.MICROSECONDS_PER_SECOND\n normalized_timestamp = normalized_timestamp.quantize(1, rounding=\n decimal.ROUND_HALF_UP)\n return int(normalized_timestamp)\n", "role": "user" }, { "content": "GetPlasoTimestamp", "role": "assistant" } ]
def x(self): normalized_timestamp = self._GetNormalizedTimestamp() if normalized_timestamp is None: return None, None, None _, hours, minutes, seconds = self._GetTimeValues(normalized_timestamp) return hours, minutes, seconds
GetTimeOfDay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n normalized_timestamp = self._GetNormalizedTimestamp()\n if normalized_timestamp is None:\n return None, None, None\n _, hours, minutes, seconds = self._GetTimeValues(normalized_timestamp)\n return hours, minutes, seconds\n", "role": "user" }, { "content": "GetTimeOfDay", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if (self._timestamp is not None and self._timestamp >= 0 and self. _timestamp <= self._UINT32_MAX): self._normalized_timestamp = decimal.Decimal(self._timestamp ) - self._HFS_TO_POSIX_BASE return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if (self._timestamp is not None and self._timestamp >= 0 and self.\n _timestamp <= self._UINT32_MAX):\n self._normalized_timestamp = decimal.Decimal(self._timestamp\n ) - self._HFS_TO_POSIX_BASE\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if self._number_of_seconds is not None: self._normalized_timestamp = decimal.Decimal(self._microseconds ) / definitions.MICROSECONDS_PER_SECOND self._normalized_timestamp += decimal.Decimal(self. _number_of_seconds) return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if self._number_of_seconds is not None:\n self._normalized_timestamp = decimal.Decimal(self._microseconds\n ) / definitions.MICROSECONDS_PER_SECOND\n self._normalized_timestamp += decimal.Decimal(self.\n _number_of_seconds)\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self, time_string): date_time_values = self._CopyDateTimeFromString(time_string) year = date_time_values.get('year', 0) month = date_time_values.get('month', 0) day_of_month = date_time_values.get('day_of_month', 0) hours = date_time_values.get('hours', 0) minutes = date_time_values.get('minutes', 0) seconds = date_time_values.get('seconds', 0) self._normalized_timestamp = None self._number_of_seconds = self._GetNumberOfSecondsFromElements(year, month, day_of_month, hours, minutes, seconds) self._microseconds = date_time_values.get('microseconds', None) self.is_local_time = False
CopyFromDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n date_time_values = self._CopyDateTimeFromString(time_string)\n year = date_time_values.get('year', 0)\n month = date_time_values.get('month', 0)\n day_of_month = date_time_values.get('day_of_month', 0)\n hours = date_time_values.get('hours', 0)\n minutes = date_time_values.get('minutes', 0)\n seconds = date_time_values.get('seconds', 0)\n self._normalized_timestamp = None\n self._number_of_seconds = self._GetNumberOfSecondsFromElements(year,\n month, day_of_month, hours, minutes, seconds)\n self._microseconds = date_time_values.get('microseconds', None)\n self.is_local_time = False\n", "role": "user" }, { "content": "CopyFromDateTimeString", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if self._number_of_seconds is not None: self._normalized_timestamp = decimal.Decimal(self.deciseconds ) / definitions.DECISECONDS_PER_SECOND self._normalized_timestamp += decimal.Decimal(self. _number_of_seconds) return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if self._number_of_seconds is not None:\n self._normalized_timestamp = decimal.Decimal(self.deciseconds\n ) / definitions.DECISECONDS_PER_SECOND\n self._normalized_timestamp += decimal.Decimal(self.\n _number_of_seconds)\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self): if self._number_of_seconds is None: return None return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:01d}'.format( self.year, self.month, self.day_of_month, self.hours, self.minutes, self.seconds, self.deciseconds)
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._number_of_seconds is None:\n return None\n return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:01d}'.format(\n self.year, self.month, self.day_of_month, self.hours, self.minutes,\n self.seconds, self.deciseconds)\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(self): if self.connection: return False self.connection = self._get_twilio_client() return True
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.connection:\n return False\n self.connection = self._get_twilio_client()\n return True\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self, email_message): if not email_message.recipients(): return False from_email = email_message.from_email recipients = email_message.recipients() try: self.connection.messages.create(to=recipients, from_=from_email, body=email_message.body) except Exception: if not self.fail_silently: raise return False return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email_message):\n if not email_message.recipients():\n return False\n from_email = email_message.from_email\n recipients = email_message.recipients()\n try:\n self.connection.messages.create(to=recipients, from_=from_email,\n body=email_message.body)\n except Exception:\n if not self.fail_silently:\n raise\n return False\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if (self._number_of_seconds is not None and self._number_of_seconds >= 0): self._normalized_timestamp = decimal.Decimal(self. _number_of_seconds) + self._FAT_DATE_TO_POSIX_BASE return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if (self._number_of_seconds is not None and self._number_of_seconds >=\n 0):\n self._normalized_timestamp = decimal.Decimal(self.\n _number_of_seconds) + self._FAT_DATE_TO_POSIX_BASE\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self, fat_date_time): day_of_month = fat_date_time & 31 month = fat_date_time >> 5 & 15 year = fat_date_time >> 9 & 127 days_per_month = self._GetDaysPerMonth(year, month) if day_of_month < 1 or day_of_month > days_per_month: raise ValueError('Day of month value out of bounds.') number_of_days = self._GetDayOfYear(1980 + year, month, day_of_month) number_of_days -= 1 for past_year in range(0, year): number_of_days += self._GetNumberOfDaysInYear(past_year) fat_date_time >>= 16 seconds = (fat_date_time & 31) * 2 minutes = fat_date_time >> 5 & 63 hours = fat_date_time >> 11 & 31 if hours not in range(0, 24): raise ValueError('Hours value out of bounds.') if minutes not in range(0, 60): raise ValueError('Minutes value out of bounds.') if seconds not in range(0, 60): raise ValueError('Seconds value out of bounds.') number_of_seconds = (hours * 60 + minutes) * 60 + seconds number_of_seconds += number_of_days * definitions.SECONDS_PER_DAY return number_of_seconds
GetNumberOfSeconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fat_date_time):\n day_of_month = fat_date_time & 31\n month = fat_date_time >> 5 & 15\n year = fat_date_time >> 9 & 127\n days_per_month = self._GetDaysPerMonth(year, month)\n if day_of_month < 1 or day_of_month > days_per_month:\n raise ValueError('Day of month value out of bounds.')\n number_of_days = self._GetDayOfYear(1980 + year, month, day_of_month)\n number_of_days -= 1\n for past_year in range(0, year):\n number_of_days += self._GetNumberOfDaysInYear(past_year)\n fat_date_time >>= 16\n seconds = (fat_date_time & 31) * 2\n minutes = fat_date_time >> 5 & 63\n hours = fat_date_time >> 11 & 31\n if hours not in range(0, 24):\n raise ValueError('Hours value out of bounds.')\n if minutes not in range(0, 60):\n raise ValueError('Minutes value out of bounds.')\n if seconds not in range(0, 60):\n raise ValueError('Seconds value out of bounds.')\n number_of_seconds = (hours * 60 + minutes) * 60 + seconds\n number_of_seconds += number_of_days * definitions.SECONDS_PER_DAY\n return number_of_seconds\n", "role": "user" }, { "content": "GetNumberOfSeconds", "role": "assistant" } ]
def x(backend=None, fail_silently=False, **kwds): klass = import_string(backend or settings.SMS_BACKEND) return klass(fail_silently=fail_silently, **kwds)
get_sms_connection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(backend=None, fail_silently=False, **kwds):\n klass = import_string(backend or settings.SMS_BACKEND)\n return klass(fail_silently=fail_silently, **kwds)\n", "role": "user" }, { "content": "get_sms_connection", "role": "assistant" } ]
def x(message, from_number, recipient_list, fail_silently=False, auth_user= None, auth_password=None, connection=None): connection = connection or get_sms_connection(username=auth_user, password=auth_password, fail_silently=fail_silently) mail = SMSMessage(message, from_number, recipient_list, connection= connection) return mail.send()
send_sms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, from_number, recipient_list, fail_silently=False, auth_user=\n None, auth_password=None, connection=None):\n connection = connection or get_sms_connection(username=auth_user,\n password=auth_password, fail_silently=fail_silently)\n mail = SMSMessage(message, from_number, recipient_list, connection=\n connection)\n return mail.send()\n", "role": "user" }, { "content": "send_sms", "role": "assistant" } ]
def x(datatuple, fail_silently=False, auth_user=None, auth_password=None, connection=None): import smsish.sms.backends.rq if isinstance(connection, smsish.sms.backends.rq.SMSBackend): raise NotImplementedError connection = connection or get_sms_connection(username=auth_user, password=auth_password, fail_silently=fail_silently) messages = [SMSMessage(message, from_number, recipient, connection= connection) for message, from_number, recipient in datatuple] return connection.send_messages(messages)
send_mass_sms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(datatuple, fail_silently=False, auth_user=None, auth_password=None,\n connection=None):\n import smsish.sms.backends.rq\n if isinstance(connection, smsish.sms.backends.rq.SMSBackend):\n raise NotImplementedError\n connection = connection or get_sms_connection(username=auth_user,\n password=auth_password, fail_silently=fail_silently)\n messages = [SMSMessage(message, from_number, recipient, connection=\n connection) for message, from_number, recipient in datatuple]\n return connection.send_messages(messages)\n", "role": "user" }, { "content": "send_mass_sms", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if (self._timestamp is not None and self._timestamp >= 0 and self. _timestamp <= self._UINT64_MAX): self._normalized_timestamp = decimal.Decimal(self._timestamp ) / self._100NS_PER_SECOND self._normalized_timestamp -= self._FILETIME_TO_POSIX_BASE return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if (self._timestamp is not None and self._timestamp >= 0 and self.\n _timestamp <= self._UINT64_MAX):\n self._normalized_timestamp = decimal.Decimal(self._timestamp\n ) / self._100NS_PER_SECOND\n self._normalized_timestamp -= self._FILETIME_TO_POSIX_BASE\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self): if (self._timestamp is None or self._timestamp < 0 or self._timestamp > self._UINT64_MAX): return None timestamp, remainder = divmod(self._timestamp, self._100NS_PER_SECOND) number_of_days, hours, minutes, seconds = self._GetTimeValues(timestamp) year, month, day_of_month = self._GetDateValuesWithEpoch(number_of_days, self._EPOCH) return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:07d}'.format( year, month, day_of_month, hours, minutes, seconds, remainder)
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if (self._timestamp is None or self._timestamp < 0 or self._timestamp >\n self._UINT64_MAX):\n return None\n timestamp, remainder = divmod(self._timestamp, self._100NS_PER_SECOND)\n number_of_days, hours, minutes, seconds = self._GetTimeValues(timestamp)\n year, month, day_of_month = self._GetDateValuesWithEpoch(number_of_days,\n self._EPOCH)\n return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:07d}'.format(\n year, month, day_of_month, hours, minutes, seconds, remainder)\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if (self._timestamp is not None and self._timestamp >= 0 and self. _timestamp <= self._UINT60_MAX): self._normalized_timestamp = decimal.Decimal(self._timestamp ) / self._100NS_PER_SECOND self._normalized_timestamp -= self._UUID_TO_POSIX_BASE return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if (self._timestamp is not None and self._timestamp >= 0 and self.\n _timestamp <= self._UINT60_MAX):\n self._normalized_timestamp = decimal.Decimal(self._timestamp\n ) / self._100NS_PER_SECOND\n self._normalized_timestamp -= self._UUID_TO_POSIX_BASE\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(cls, time_elements_tuple, fraction_of_second): if fraction_of_second < 0.0 or fraction_of_second >= 1.0: raise ValueError('Fraction of second value: {0:f} out of bounds.'. format(fraction_of_second)) return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}'.format( time_elements_tuple[0], time_elements_tuple[1], time_elements_tuple [2], time_elements_tuple[3], time_elements_tuple[4], time_elements_tuple[5])
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, time_elements_tuple, fraction_of_second):\n if fraction_of_second < 0.0 or fraction_of_second >= 1.0:\n raise ValueError('Fraction of second value: {0:f} out of bounds.'.\n format(fraction_of_second))\n return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}'.format(\n time_elements_tuple[0], time_elements_tuple[1], time_elements_tuple\n [2], time_elements_tuple[3], time_elements_tuple[4],\n time_elements_tuple[5])\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(cls, microseconds): if microseconds < 0 or microseconds >= definitions.MICROSECONDS_PER_SECOND: raise ValueError('Number of microseconds value: {0:d} out of bounds.' .format(microseconds)) milliseconds, _ = divmod(microseconds, definitions. MICROSECONDS_PER_MILLISECOND) return decimal.Decimal(milliseconds) / definitions.MILLISECONDS_PER_SECOND
CopyMicrosecondsToFractionOfSecond
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, microseconds):\n if microseconds < 0 or microseconds >= definitions.MICROSECONDS_PER_SECOND:\n raise ValueError('Number of microseconds value: {0:d} out of bounds.'\n .format(microseconds))\n milliseconds, _ = divmod(microseconds, definitions.\n MICROSECONDS_PER_MILLISECOND)\n return decimal.Decimal(milliseconds) / definitions.MILLISECONDS_PER_SECOND\n", "role": "user" }, { "content": "CopyMicrosecondsToFractionOfSecond", "role": "assistant" } ]
def x(cls, time_elements_tuple, fraction_of_second): if fraction_of_second < 0.0 or fraction_of_second >= 1.0: raise ValueError('Fraction of second value: {0:f} out of bounds.'. format(fraction_of_second)) milliseconds = int(fraction_of_second * definitions.MILLISECONDS_PER_SECOND ) return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:03d}'.format( time_elements_tuple[0], time_elements_tuple[1], time_elements_tuple [2], time_elements_tuple[3], time_elements_tuple[4], time_elements_tuple[5], milliseconds)
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, time_elements_tuple, fraction_of_second):\n if fraction_of_second < 0.0 or fraction_of_second >= 1.0:\n raise ValueError('Fraction of second value: {0:f} out of bounds.'.\n format(fraction_of_second))\n milliseconds = int(fraction_of_second * definitions.MILLISECONDS_PER_SECOND\n )\n return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:03d}'.format(\n time_elements_tuple[0], time_elements_tuple[1], time_elements_tuple\n [2], time_elements_tuple[3], time_elements_tuple[4],\n time_elements_tuple[5], milliseconds)\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(cls, microseconds): if microseconds < 0 or microseconds >= definitions.MICROSECONDS_PER_SECOND: raise ValueError('Number of microseconds value: {0:d} out of bounds.' .format(microseconds)) return decimal.Decimal(microseconds) / definitions.MICROSECONDS_PER_SECOND
CopyMicrosecondsToFractionOfSecond
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, microseconds):\n if microseconds < 0 or microseconds >= definitions.MICROSECONDS_PER_SECOND:\n raise ValueError('Number of microseconds value: {0:d} out of bounds.'\n .format(microseconds))\n return decimal.Decimal(microseconds) / definitions.MICROSECONDS_PER_SECOND\n", "role": "user" }, { "content": "CopyMicrosecondsToFractionOfSecond", "role": "assistant" } ]
def x(cls, time_elements_tuple, fraction_of_second): if fraction_of_second < 0.0 or fraction_of_second >= 1.0: raise ValueError('Fraction of second value: {0:f} out of bounds.'. format(fraction_of_second)) microseconds = int(fraction_of_second * definitions.MICROSECONDS_PER_SECOND ) return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:06d}'.format( time_elements_tuple[0], time_elements_tuple[1], time_elements_tuple [2], time_elements_tuple[3], time_elements_tuple[4], time_elements_tuple[5], microseconds)
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, time_elements_tuple, fraction_of_second):\n if fraction_of_second < 0.0 or fraction_of_second >= 1.0:\n raise ValueError('Fraction of second value: {0:f} out of bounds.'.\n format(fraction_of_second))\n microseconds = int(fraction_of_second * definitions.MICROSECONDS_PER_SECOND\n )\n return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:06d}'.format(\n time_elements_tuple[0], time_elements_tuple[1], time_elements_tuple\n [2], time_elements_tuple[3], time_elements_tuple[4],\n time_elements_tuple[5], microseconds)\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(cls, precision): precision_helper_class = cls._PRECISION_CLASSES.get(precision, None) if not precision_helper_class: raise ValueError('Unsupported precision: {0!s}'.format(precision)) return precision_helper_class
CreatePrecisionHelper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, precision):\n precision_helper_class = cls._PRECISION_CLASSES.get(precision, None)\n if not precision_helper_class:\n raise ValueError('Unsupported precision: {0!s}'.format(precision))\n return precision_helper_class\n", "role": "user" }, { "content": "CreatePrecisionHelper", "role": "assistant" } ]
def x(self, time_string): super(APFSTime, self)._CopyFromDateTimeString(time_string) if (self._timestamp is None or self._timestamp < self._INT64_MIN or self._timestamp > self._INT64_MAX): raise ValueError('Date time value not supported.')
CopyFromDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n super(APFSTime, self)._CopyFromDateTimeString(time_string)\n if (self._timestamp is None or self._timestamp < self._INT64_MIN or \n self._timestamp > self._INT64_MAX):\n raise ValueError('Date time value not supported.')\n", "role": "user" }, { "content": "CopyFromDateTimeString", "role": "assistant" } ]
def x(self): if (self._timestamp is None or self._timestamp < self._INT64_MIN or self._timestamp > self._INT64_MAX): return None return super(APFSTime, self)._CopyToDateTimeString()
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if (self._timestamp is None or self._timestamp < self._INT64_MIN or \n self._timestamp > self._INT64_MAX):\n return None\n return super(APFSTime, self)._CopyToDateTimeString()\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(self): if self._timestamp is None: return None number_of_days, hours, minutes, seconds = self._GetTimeValues(int(self. _timestamp)) year, month, day_of_month = self._GetDateValuesWithEpoch(number_of_days, self._EPOCH) microseconds = int(self._timestamp % 1 * definitions. MICROSECONDS_PER_SECOND) return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:06d}'.format( year, month, day_of_month, hours, minutes, seconds, microseconds)
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._timestamp is None:\n return None\n number_of_days, hours, minutes, seconds = self._GetTimeValues(int(self.\n _timestamp))\n year, month, day_of_month = self._GetDateValuesWithEpoch(number_of_days,\n self._EPOCH)\n microseconds = int(self._timestamp % 1 * definitions.\n MICROSECONDS_PER_SECOND)\n return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}.{6:06d}'.format(\n year, month, day_of_month, hours, minutes, seconds, microseconds)\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(sms_message, backend=None, fail_silently=False): with get_sms_connection(backend=backend, fail_silently=fail_silently ) as connection: result = connection.send_messages([sms_message]) return result
send_sms_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sms_message, backend=None, fail_silently=False):\n with get_sms_connection(backend=backend, fail_silently=fail_silently\n ) as connection:\n result = connection.send_messages([sms_message])\n return result\n", "role": "user" }, { "content": "send_sms_message", "role": "assistant" } ]
def x(self, sms_messages): results = [] for message in sms_messages: try: assert message.connection is None except AssertionError: if not self.fail_silently: raise backend = self.backend fail_silently = self.fail_silently result = django_rq.enqueue(self._send, message, backend=backend, fail_silently=fail_silently) results.append(result) return results
send_messages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sms_messages):\n results = []\n for message in sms_messages:\n try:\n assert message.connection is None\n except AssertionError:\n if not self.fail_silently:\n raise\n backend = self.backend\n fail_silently = self.fail_silently\n result = django_rq.enqueue(self._send, message, backend=backend,\n fail_silently=fail_silently)\n results.append(result)\n return results\n", "role": "user" }, { "content": "send_messages", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if (self._timestamp is not None and self._timestamp >= self. _INT64_MIN and self._timestamp <= self._INT64_MAX): self._normalized_timestamp = decimal.Decimal(self._timestamp ) / definitions.MILLISECONDS_PER_SECOND return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if (self._timestamp is not None and self._timestamp >= self.\n _INT64_MIN and self._timestamp <= self._INT64_MAX):\n self._normalized_timestamp = decimal.Decimal(self._timestamp\n ) / definitions.MILLISECONDS_PER_SECOND\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self): if (self._timestamp is None or self._timestamp < self._INT64_MIN or self._timestamp > self._INT64_MAX): return None return super(JavaTime, self).CopyToDateTimeString()
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if (self._timestamp is None or self._timestamp < self._INT64_MIN or \n self._timestamp > self._INT64_MAX):\n return None\n return super(JavaTime, self).CopyToDateTimeString()\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(props): image_model = get_image_model() alignment = props.get('alignment', 'left') alt_text = props.get('altText', '') try: image = image_model.objects.get(id=props['id']) except image_model.DoesNotExist: return DOM.create_element('img', {'alt': alt_text}) image_format = get_image_format(alignment) rendition = get_rendition_or_not_found(image, image_format.filter_spec) return DOM.create_element('img', dict(rendition.attrs_dict, **{'class': image_format.classnames, 'src': rendition.url, 'alt': alt_text}))
Image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(props):\n image_model = get_image_model()\n alignment = props.get('alignment', 'left')\n alt_text = props.get('altText', '')\n try:\n image = image_model.objects.get(id=props['id'])\n except image_model.DoesNotExist:\n return DOM.create_element('img', {'alt': alt_text})\n image_format = get_image_format(alignment)\n rendition = get_rendition_or_not_found(image, image_format.filter_spec)\n return DOM.create_element('img', dict(rendition.attrs_dict, **{'class':\n image_format.classnames, 'src': rendition.url, 'alt': alt_text}))\n", "role": "user" }, { "content": "Image", "role": "assistant" } ]
def x(self, time_string): if not time_string: raise ValueError('Invalid time string.') time_string_length = len(time_string) year, month, day_of_month = self._CopyDateFromString(time_string) if time_string_length <= 10: return {'year': year, 'month': month, 'day_of_month': day_of_month} if time_string[10] != 'T': raise ValueError( 'Invalid time string - missing as date and time separator.') hours, minutes, seconds, microseconds, time_zone_offset = (self. _CopyTimeFromStringISO8601(time_string[11:])) if time_zone_offset: year, month, day_of_month, hours, minutes = (self. _AdjustForTimeZoneOffset(year, month, day_of_month, hours, minutes, time_zone_offset)) date_time_values = {'year': year, 'month': month, 'day_of_month': day_of_month, 'hours': hours, 'minutes': minutes, 'seconds': seconds} if microseconds is not None: date_time_values['microseconds'] = microseconds return date_time_values
CopyDateTimeFromStringISO8601
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n if not time_string:\n raise ValueError('Invalid time string.')\n time_string_length = len(time_string)\n year, month, day_of_month = self._CopyDateFromString(time_string)\n if time_string_length <= 10:\n return {'year': year, 'month': month, 'day_of_month': day_of_month}\n if time_string[10] != 'T':\n raise ValueError(\n 'Invalid time string - missing as date and time separator.')\n hours, minutes, seconds, microseconds, time_zone_offset = (self.\n _CopyTimeFromStringISO8601(time_string[11:]))\n if time_zone_offset:\n year, month, day_of_month, hours, minutes = (self.\n _AdjustForTimeZoneOffset(year, month, day_of_month, hours,\n minutes, time_zone_offset))\n date_time_values = {'year': year, 'month': month, 'day_of_month':\n day_of_month, 'hours': hours, 'minutes': minutes, 'seconds': seconds}\n if microseconds is not None:\n date_time_values['microseconds'] = microseconds\n return date_time_values\n", "role": "user" }, { "content": "CopyDateTimeFromStringISO8601", "role": "assistant" } ]
def x(self, date_time_values): year = date_time_values.get('year', 0) month = date_time_values.get('month', 0) day_of_month = date_time_values.get('day_of_month', 0) hours = date_time_values.get('hours', 0) minutes = date_time_values.get('minutes', 0) seconds = date_time_values.get('seconds', 0) self._normalized_timestamp = None self._number_of_seconds = self._GetNumberOfSecondsFromElements(year, month, day_of_month, hours, minutes, seconds) self._time_elements_tuple = (year, month, day_of_month, hours, minutes, seconds) self.is_local_time = False
CopyFromDateTimeValues
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date_time_values):\n year = date_time_values.get('year', 0)\n month = date_time_values.get('month', 0)\n day_of_month = date_time_values.get('day_of_month', 0)\n hours = date_time_values.get('hours', 0)\n minutes = date_time_values.get('minutes', 0)\n seconds = date_time_values.get('seconds', 0)\n self._normalized_timestamp = None\n self._number_of_seconds = self._GetNumberOfSecondsFromElements(year,\n month, day_of_month, hours, minutes, seconds)\n self._time_elements_tuple = (year, month, day_of_month, hours, minutes,\n seconds)\n self.is_local_time = False\n", "role": "user" }, { "content": "CopyFromDateTimeValues", "role": "assistant" } ]
def x(self, time_string): if time_string.endswith('Z'): time_string = time_string[:-1] time_string_length = len(time_string) if time_string_length < 2: raise ValueError('Time string too short.') try: hours = int(time_string[0:2], 10) except ValueError: raise ValueError('Unable to parse hours.') if hours not in range(0, 24): raise ValueError('Hours value: {0:d} out of bounds.'.format(hours)) minutes = None seconds = None microseconds = None time_zone_offset = None time_string_index = 2 if time_string_index + 1 < time_string_length and time_string[ time_string_index] not in ('.', ','): if time_string[time_string_index] == ':': time_string_index += 1 if time_string_index + 2 > time_string_length: raise ValueError('Time string too short.') try: minutes = time_string[time_string_index:time_string_index + 2] minutes = int(minutes, 10) except ValueError: raise ValueError('Unable to parse minutes.') time_string_index += 2 if time_string_index + 1 < time_string_length and time_string[ time_string_index] not in ('.', ','): if time_string[time_string_index] == ':': time_string_index += 1 if time_string_index + 2 > time_string_length: raise ValueError('Time string too short.') try: seconds = time_string[time_string_index:time_string_index + 2] seconds = int(seconds, 10) except ValueError: raise ValueError('Unable to parse day of seconds.') time_string_index += 2 time_zone_string_index = time_string_index while time_zone_string_index < time_string_length: if time_string[time_zone_string_index] in ('+', '-'): break time_zone_string_index += 1 if time_zone_string_index == time_string_length - 1: time_zone_string_index += 1 if time_string_length > time_string_index and time_string[time_string_index ] in ('.', ','): time_string_index += 1 time_fraction_length = time_zone_string_index - time_string_index try: time_fraction = time_string[time_string_index: time_zone_string_index] time_fraction = int(time_fraction, 10) time_fraction = decimal.Decimal(time_fraction) / decimal.Decimal( 10 ** time_fraction_length) except ValueError: raise ValueError('Unable to parse time fraction.') if minutes is None: time_fraction *= 60 minutes = int(time_fraction) time_fraction -= minutes if seconds is None: time_fraction *= 60 seconds = int(time_fraction) time_fraction -= seconds time_fraction *= definitions.MICROSECONDS_PER_SECOND microseconds = int(time_fraction) if minutes is not None and minutes not in range(0, 60): raise ValueError('Minutes value: {0:d} out of bounds.'.format(minutes)) if seconds is not None and seconds not in range(0, 60): raise ValueError('Seconds value: {0:d} out of bounds.'.format(seconds)) if time_zone_string_index < time_string_length: if time_string_length - time_zone_string_index != 6 or time_string[ time_zone_string_index + 3] != ':': raise ValueError('Invalid time string.') try: hours_from_utc = int(time_string[time_zone_string_index + 1: time_zone_string_index + 3]) except ValueError: raise ValueError('Unable to parse time zone hours offset.') if hours_from_utc not in range(0, 15): raise ValueError('Time zone hours offset value out of bounds.') try: minutes_from_utc = int(time_string[time_zone_string_index + 4: time_zone_string_index + 6]) except ValueError: raise ValueError('Unable to parse time zone minutes offset.') if minutes_from_utc not in range(0, 60): raise ValueError('Time zone minutes offset value out of bounds.') time_zone_offset = hours_from_utc * 60 + minutes_from_utc if time_string[time_zone_string_index] != '-': time_zone_offset = -time_zone_offset return hours, minutes, seconds, microseconds, time_zone_offset
CopyTimeFromStringISO8601
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n if time_string.endswith('Z'):\n time_string = time_string[:-1]\n time_string_length = len(time_string)\n if time_string_length < 2:\n raise ValueError('Time string too short.')\n try:\n hours = int(time_string[0:2], 10)\n except ValueError:\n raise ValueError('Unable to parse hours.')\n if hours not in range(0, 24):\n raise ValueError('Hours value: {0:d} out of bounds.'.format(hours))\n minutes = None\n seconds = None\n microseconds = None\n time_zone_offset = None\n time_string_index = 2\n if time_string_index + 1 < time_string_length and time_string[\n time_string_index] not in ('.', ','):\n if time_string[time_string_index] == ':':\n time_string_index += 1\n if time_string_index + 2 > time_string_length:\n raise ValueError('Time string too short.')\n try:\n minutes = time_string[time_string_index:time_string_index + 2]\n minutes = int(minutes, 10)\n except ValueError:\n raise ValueError('Unable to parse minutes.')\n time_string_index += 2\n if time_string_index + 1 < time_string_length and time_string[\n time_string_index] not in ('.', ','):\n if time_string[time_string_index] == ':':\n time_string_index += 1\n if time_string_index + 2 > time_string_length:\n raise ValueError('Time string too short.')\n try:\n seconds = time_string[time_string_index:time_string_index + 2]\n seconds = int(seconds, 10)\n except ValueError:\n raise ValueError('Unable to parse day of seconds.')\n time_string_index += 2\n time_zone_string_index = time_string_index\n while time_zone_string_index < time_string_length:\n if time_string[time_zone_string_index] in ('+', '-'):\n break\n time_zone_string_index += 1\n if time_zone_string_index == time_string_length - 1:\n time_zone_string_index += 1\n if time_string_length > time_string_index and time_string[time_string_index\n ] in ('.', ','):\n time_string_index += 1\n time_fraction_length = time_zone_string_index - time_string_index\n try:\n time_fraction = time_string[time_string_index:\n time_zone_string_index]\n time_fraction = int(time_fraction, 10)\n time_fraction = decimal.Decimal(time_fraction) / decimal.Decimal(\n 10 ** time_fraction_length)\n except ValueError:\n raise ValueError('Unable to parse time fraction.')\n if minutes is None:\n time_fraction *= 60\n minutes = int(time_fraction)\n time_fraction -= minutes\n if seconds is None:\n time_fraction *= 60\n seconds = int(time_fraction)\n time_fraction -= seconds\n time_fraction *= definitions.MICROSECONDS_PER_SECOND\n microseconds = int(time_fraction)\n if minutes is not None and minutes not in range(0, 60):\n raise ValueError('Minutes value: {0:d} out of bounds.'.format(minutes))\n if seconds is not None and seconds not in range(0, 60):\n raise ValueError('Seconds value: {0:d} out of bounds.'.format(seconds))\n if time_zone_string_index < time_string_length:\n if time_string_length - time_zone_string_index != 6 or time_string[\n time_zone_string_index + 3] != ':':\n raise ValueError('Invalid time string.')\n try:\n hours_from_utc = int(time_string[time_zone_string_index + 1:\n time_zone_string_index + 3])\n except ValueError:\n raise ValueError('Unable to parse time zone hours offset.')\n if hours_from_utc not in range(0, 15):\n raise ValueError('Time zone hours offset value out of bounds.')\n try:\n minutes_from_utc = int(time_string[time_zone_string_index + 4:\n time_zone_string_index + 6])\n except ValueError:\n raise ValueError('Unable to parse time zone minutes offset.')\n if minutes_from_utc not in range(0, 60):\n raise ValueError('Time zone minutes offset value out of bounds.')\n time_zone_offset = hours_from_utc * 60 + minutes_from_utc\n if time_string[time_zone_string_index] != '-':\n time_zone_offset = -time_zone_offset\n return hours, minutes, seconds, microseconds, time_zone_offset\n", "role": "user" }, { "content": "CopyTimeFromStringISO8601", "role": "assistant" } ]
def x(self, time_string): date_time_values = self._CopyDateTimeFromString(time_string) self._CopyFromDateTimeValues(date_time_values)
CopyFromDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n date_time_values = self._CopyDateTimeFromString(time_string)\n self._CopyFromDateTimeValues(date_time_values)\n", "role": "user" }, { "content": "CopyFromDateTimeString", "role": "assistant" } ]
def x(self, time_string): date_time_values = self._CopyDateTimeFromStringISO8601(time_string) self._CopyFromDateTimeValues(date_time_values)
CopyFromStringISO8601
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n date_time_values = self._CopyDateTimeFromStringISO8601(time_string)\n self._CopyFromDateTimeValues(date_time_values)\n", "role": "user" }, { "content": "CopyFromStringISO8601", "role": "assistant" } ]
def x(self, time_elements_tuple): if len(time_elements_tuple) < 6: raise ValueError( 'Invalid time elements tuple at least 6 elements required,got: {0:d}' .format(len(time_elements_tuple))) try: year = int(time_elements_tuple[0], 10) except (TypeError, ValueError): raise ValueError('Invalid year value: {0!s}'.format( time_elements_tuple[0])) try: month = int(time_elements_tuple[1], 10) except (TypeError, ValueError): raise ValueError('Invalid month value: {0!s}'.format( time_elements_tuple[1])) try: day_of_month = int(time_elements_tuple[2], 10) except (TypeError, ValueError): raise ValueError('Invalid day of month value: {0!s}'.format( time_elements_tuple[2])) try: hours = int(time_elements_tuple[3], 10) except (TypeError, ValueError): raise ValueError('Invalid hours value: {0!s}'.format( time_elements_tuple[3])) try: minutes = int(time_elements_tuple[4], 10) except (TypeError, ValueError): raise ValueError('Invalid minutes value: {0!s}'.format( time_elements_tuple[4])) try: seconds = int(time_elements_tuple[5], 10) except (TypeError, ValueError): raise ValueError('Invalid seconds value: {0!s}'.format( time_elements_tuple[5])) self._normalized_timestamp = None self._number_of_seconds = self._GetNumberOfSecondsFromElements(year, month, day_of_month, hours, minutes, seconds) self._time_elements_tuple = (year, month, day_of_month, hours, minutes, seconds)
CopyFromStringTuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_elements_tuple):\n if len(time_elements_tuple) < 6:\n raise ValueError(\n 'Invalid time elements tuple at least 6 elements required,got: {0:d}'\n .format(len(time_elements_tuple)))\n try:\n year = int(time_elements_tuple[0], 10)\n except (TypeError, ValueError):\n raise ValueError('Invalid year value: {0!s}'.format(\n time_elements_tuple[0]))\n try:\n month = int(time_elements_tuple[1], 10)\n except (TypeError, ValueError):\n raise ValueError('Invalid month value: {0!s}'.format(\n time_elements_tuple[1]))\n try:\n day_of_month = int(time_elements_tuple[2], 10)\n except (TypeError, ValueError):\n raise ValueError('Invalid day of month value: {0!s}'.format(\n time_elements_tuple[2]))\n try:\n hours = int(time_elements_tuple[3], 10)\n except (TypeError, ValueError):\n raise ValueError('Invalid hours value: {0!s}'.format(\n time_elements_tuple[3]))\n try:\n minutes = int(time_elements_tuple[4], 10)\n except (TypeError, ValueError):\n raise ValueError('Invalid minutes value: {0!s}'.format(\n time_elements_tuple[4]))\n try:\n seconds = int(time_elements_tuple[5], 10)\n except (TypeError, ValueError):\n raise ValueError('Invalid seconds value: {0!s}'.format(\n time_elements_tuple[5]))\n self._normalized_timestamp = None\n self._number_of_seconds = self._GetNumberOfSecondsFromElements(year,\n month, day_of_month, hours, minutes, seconds)\n self._time_elements_tuple = (year, month, day_of_month, hours, minutes,\n seconds)\n", "role": "user" }, { "content": "CopyFromStringTuple", "role": "assistant" } ]
def x(self): if self._number_of_seconds is None: return None return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}'.format(self. _time_elements_tuple[0], self._time_elements_tuple[1], self. _time_elements_tuple[2], self._time_elements_tuple[3], self. _time_elements_tuple[4], self._time_elements_tuple[5])
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._number_of_seconds is None:\n return None\n return '{0:04d}-{1:02d}-{2:02d} {3:02d}:{4:02d}:{5:02d}'.format(self.\n _time_elements_tuple[0], self._time_elements_tuple[1], self.\n _time_elements_tuple[2], self._time_elements_tuple[3], self.\n _time_elements_tuple[4], self._time_elements_tuple[5])\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(self, date_time_values): year = date_time_values.get('year', 0) month = date_time_values.get('month', 0) day_of_month = date_time_values.get('day_of_month', 0) hours = date_time_values.get('hours', 0) minutes = date_time_values.get('minutes', 0) seconds = date_time_values.get('seconds', 0) microseconds = date_time_values.get('microseconds', 0) precision_helper = precisions.PrecisionHelperFactory.CreatePrecisionHelper( self._precision) fraction_of_second = precision_helper.CopyMicrosecondsToFractionOfSecond( microseconds) self._normalized_timestamp = None self._number_of_seconds = self._GetNumberOfSecondsFromElements(year, month, day_of_month, hours, minutes, seconds) self._time_elements_tuple = (year, month, day_of_month, hours, minutes, seconds) self.fraction_of_second = fraction_of_second self.is_local_time = False
CopyFromDateTimeValues
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date_time_values):\n year = date_time_values.get('year', 0)\n month = date_time_values.get('month', 0)\n day_of_month = date_time_values.get('day_of_month', 0)\n hours = date_time_values.get('hours', 0)\n minutes = date_time_values.get('minutes', 0)\n seconds = date_time_values.get('seconds', 0)\n microseconds = date_time_values.get('microseconds', 0)\n precision_helper = precisions.PrecisionHelperFactory.CreatePrecisionHelper(\n self._precision)\n fraction_of_second = precision_helper.CopyMicrosecondsToFractionOfSecond(\n microseconds)\n self._normalized_timestamp = None\n self._number_of_seconds = self._GetNumberOfSecondsFromElements(year,\n month, day_of_month, hours, minutes, seconds)\n self._time_elements_tuple = (year, month, day_of_month, hours, minutes,\n seconds)\n self.fraction_of_second = fraction_of_second\n self.is_local_time = False\n", "role": "user" }, { "content": "CopyFromDateTimeValues", "role": "assistant" } ]
def x(self, time_elements_tuple): if len(time_elements_tuple) < 7: raise ValueError( 'Invalid time elements tuple at least 7 elements required,got: {0:d}' .format(len(time_elements_tuple))) super(TimeElementsWithFractionOfSecond, self).CopyFromStringTuple( time_elements_tuple) try: fraction_of_second = decimal.Decimal(time_elements_tuple[6]) except (TypeError, ValueError): raise ValueError('Invalid fraction of second value: {0!s}'.format( time_elements_tuple[6])) if fraction_of_second < 0.0 or fraction_of_second >= 1.0: raise ValueError('Fraction of second value: {0:f} out of bounds.'. format(fraction_of_second)) self.fraction_of_second = fraction_of_second
CopyFromStringTuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_elements_tuple):\n if len(time_elements_tuple) < 7:\n raise ValueError(\n 'Invalid time elements tuple at least 7 elements required,got: {0:d}'\n .format(len(time_elements_tuple)))\n super(TimeElementsWithFractionOfSecond, self).CopyFromStringTuple(\n time_elements_tuple)\n try:\n fraction_of_second = decimal.Decimal(time_elements_tuple[6])\n except (TypeError, ValueError):\n raise ValueError('Invalid fraction of second value: {0!s}'.format(\n time_elements_tuple[6]))\n if fraction_of_second < 0.0 or fraction_of_second >= 1.0:\n raise ValueError('Fraction of second value: {0:f} out of bounds.'.\n format(fraction_of_second))\n self.fraction_of_second = fraction_of_second\n", "role": "user" }, { "content": "CopyFromStringTuple", "role": "assistant" } ]
def x(self): if self._number_of_seconds is None or self.fraction_of_second is None: return None precision_helper = precisions.PrecisionHelperFactory.CreatePrecisionHelper( self._precision) return precision_helper.CopyToDateTimeString(self._time_elements_tuple, self.fraction_of_second)
CopyToDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._number_of_seconds is None or self.fraction_of_second is None:\n return None\n precision_helper = precisions.PrecisionHelperFactory.CreatePrecisionHelper(\n self._precision)\n return precision_helper.CopyToDateTimeString(self._time_elements_tuple,\n self.fraction_of_second)\n", "role": "user" }, { "content": "CopyToDateTimeString", "role": "assistant" } ]
def x(self, time_elements_tuple): if len(time_elements_tuple) < 7: raise ValueError( 'Invalid time elements tuple at least 7 elements required,got: {0:d}' .format(len(time_elements_tuple))) year, month, day_of_month, hours, minutes, seconds, milliseconds = ( time_elements_tuple) try: milliseconds = int(milliseconds, 10) except (TypeError, ValueError): raise ValueError('Invalid millisecond value: {0!s}'.format( milliseconds)) if milliseconds < 0 or milliseconds >= definitions.MILLISECONDS_PER_SECOND: raise ValueError('Invalid number of milliseconds.') fraction_of_second = decimal.Decimal(milliseconds ) / definitions.MILLISECONDS_PER_SECOND time_elements_tuple = (year, month, day_of_month, hours, minutes, seconds, str(fraction_of_second)) super(TimeElementsInMilliseconds, self).CopyFromStringTuple( time_elements_tuple)
CopyFromStringTuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_elements_tuple):\n if len(time_elements_tuple) < 7:\n raise ValueError(\n 'Invalid time elements tuple at least 7 elements required,got: {0:d}'\n .format(len(time_elements_tuple)))\n year, month, day_of_month, hours, minutes, seconds, milliseconds = (\n time_elements_tuple)\n try:\n milliseconds = int(milliseconds, 10)\n except (TypeError, ValueError):\n raise ValueError('Invalid millisecond value: {0!s}'.format(\n milliseconds))\n if milliseconds < 0 or milliseconds >= definitions.MILLISECONDS_PER_SECOND:\n raise ValueError('Invalid number of milliseconds.')\n fraction_of_second = decimal.Decimal(milliseconds\n ) / definitions.MILLISECONDS_PER_SECOND\n time_elements_tuple = (year, month, day_of_month, hours, minutes,\n seconds, str(fraction_of_second))\n super(TimeElementsInMilliseconds, self).CopyFromStringTuple(\n time_elements_tuple)\n", "role": "user" }, { "content": "CopyFromStringTuple", "role": "assistant" } ]
def x(self, time_elements_tuple): if len(time_elements_tuple) < 7: raise ValueError( 'Invalid time elements tuple at least 7 elements required,got: {0:d}' .format(len(time_elements_tuple))) year, month, day_of_month, hours, minutes, seconds, microseconds = ( time_elements_tuple) try: microseconds = int(microseconds, 10) except (TypeError, ValueError): raise ValueError('Invalid microsecond value: {0!s}'.format( microseconds)) if microseconds < 0 or microseconds >= definitions.MICROSECONDS_PER_SECOND: raise ValueError('Invalid number of microseconds.') fraction_of_second = decimal.Decimal(microseconds ) / definitions.MICROSECONDS_PER_SECOND time_elements_tuple = (year, month, day_of_month, hours, minutes, seconds, str(fraction_of_second)) super(TimeElementsInMicroseconds, self).CopyFromStringTuple( time_elements_tuple)
CopyFromStringTuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_elements_tuple):\n if len(time_elements_tuple) < 7:\n raise ValueError(\n 'Invalid time elements tuple at least 7 elements required,got: {0:d}'\n .format(len(time_elements_tuple)))\n year, month, day_of_month, hours, minutes, seconds, microseconds = (\n time_elements_tuple)\n try:\n microseconds = int(microseconds, 10)\n except (TypeError, ValueError):\n raise ValueError('Invalid microsecond value: {0!s}'.format(\n microseconds))\n if microseconds < 0 or microseconds >= definitions.MICROSECONDS_PER_SECOND:\n raise ValueError('Invalid number of microseconds.')\n fraction_of_second = decimal.Decimal(microseconds\n ) / definitions.MICROSECONDS_PER_SECOND\n time_elements_tuple = (year, month, day_of_month, hours, minutes,\n seconds, str(fraction_of_second))\n super(TimeElementsInMicroseconds, self).CopyFromStringTuple(\n time_elements_tuple)\n", "role": "user" }, { "content": "CopyFromStringTuple", "role": "assistant" } ]
def x(self): if self._normalized_timestamp is None: if self._number_of_seconds is not None: self._normalized_timestamp = decimal.Decimal(self.milliseconds ) / definitions.MILLISECONDS_PER_SECOND self._normalized_timestamp += decimal.Decimal(self. _number_of_seconds) return self._normalized_timestamp
GetNormalizedTimestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._normalized_timestamp is None:\n if self._number_of_seconds is not None:\n self._normalized_timestamp = decimal.Decimal(self.milliseconds\n ) / definitions.MILLISECONDS_PER_SECOND\n self._normalized_timestamp += decimal.Decimal(self.\n _number_of_seconds)\n return self._normalized_timestamp\n", "role": "user" }, { "content": "GetNormalizedTimestamp", "role": "assistant" } ]
def x(self, time_string): date_time_values = self._CopyDateTimeFromString(time_string) year = date_time_values.get('year', 0) month = date_time_values.get('month', 0) day_of_month = date_time_values.get('day_of_month', 0) hours = date_time_values.get('hours', 0) minutes = date_time_values.get('minutes', 0) seconds = date_time_values.get('seconds', 0) microseconds = date_time_values.get('microseconds', 0) milliseconds, _ = divmod(microseconds, definitions. MICROSECONDS_PER_MILLISECOND) if year < 1601 or year > 30827: raise ValueError('Unsupported year value: {0:d}.'.format(year)) self._normalized_timestamp = None self._number_of_seconds = self._GetNumberOfSecondsFromElements(year, month, day_of_month, hours, minutes, seconds) self.year = year self.month = month self.day_of_month = day_of_month self.day_of_week = None self.hours = hours self.minutes = minutes self.seconds = seconds self.milliseconds = milliseconds self.is_local_time = False
CopyFromDateTimeString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_string):\n date_time_values = self._CopyDateTimeFromString(time_string)\n year = date_time_values.get('year', 0)\n month = date_time_values.get('month', 0)\n day_of_month = date_time_values.get('day_of_month', 0)\n hours = date_time_values.get('hours', 0)\n minutes = date_time_values.get('minutes', 0)\n seconds = date_time_values.get('seconds', 0)\n microseconds = date_time_values.get('microseconds', 0)\n milliseconds, _ = divmod(microseconds, definitions.\n MICROSECONDS_PER_MILLISECOND)\n if year < 1601 or year > 30827:\n raise ValueError('Unsupported year value: {0:d}.'.format(year))\n self._normalized_timestamp = None\n self._number_of_seconds = self._GetNumberOfSecondsFromElements(year,\n month, day_of_month, hours, minutes, seconds)\n self.year = year\n self.month = month\n self.day_of_month = day_of_month\n self.day_of_week = None\n self.hours = hours\n self.minutes = minutes\n self.seconds = seconds\n self.milliseconds = milliseconds\n self.is_local_time = False\n", "role": "user" }, { "content": "CopyFromDateTimeString", "role": "assistant" } ]
def x(self, messages): msg_count = 0 for message in messages: message.message() msg_count += 1 mail.outbox.extend(messages) return msg_count
send_messages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, messages):\n msg_count = 0\n for message in messages:\n message.message()\n msg_count += 1\n mail.outbox.extend(messages)\n return msg_count\n", "role": "user" }, { "content": "send_messages", "role": "assistant" } ]
def x(self, obj, needs_request=False): if self.instance_name is None and self.template_name is None: raise SearchFieldError( 'This field requires either its instance_name variable to be populated or an explicit template_name in order to load the correct template.' ) if self.template_name is not None: template_names = self.template_name if not isinstance(template_names, (list, tuple)): template_names = [template_names] else: template_names = ['search/indexes/%s/%s_%s.txt' % (obj._meta. app_label, obj._meta.module_name, self.instance_name)] t = loader.select_template(template_names) ctx = {'object': obj} if needs_request: request = rf.get('/') request.session = {} ctx['request'] = request return t.render(Context(ctx))
prepare_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, needs_request=False):\n if self.instance_name is None and self.template_name is None:\n raise SearchFieldError(\n 'This field requires either its instance_name variable to be populated or an explicit template_name in order to load the correct template.'\n )\n if self.template_name is not None:\n template_names = self.template_name\n if not isinstance(template_names, (list, tuple)):\n template_names = [template_names]\n else:\n template_names = ['search/indexes/%s/%s_%s.txt' % (obj._meta.\n app_label, obj._meta.module_name, self.instance_name)]\n t = loader.select_template(template_names)\n ctx = {'object': obj}\n if needs_request:\n request = rf.get('/')\n request.session = {}\n ctx['request'] = request\n return t.render(Context(ctx))\n", "role": "user" }, { "content": "prepare_template", "role": "assistant" } ]
def x(self, context, obj, field_name): try: language = get_language() value = self.get_translated_value(obj, field_name, language) if value: return value if self.FALLBACK: for lang, lang_name in settings.LANGUAGES: if lang == language: continue value = self.get_translated_value(obj, field_name, lang) if value: return value untranslated = getattr(obj, field_name) if self._is_truthy(untranslated): return untranslated else: return self.EMPTY_VALUE except Exception: if settings.TEMPLATE_DEBUG: raise return self.EMPTY_VALUE
get_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context, obj, field_name):\n try:\n language = get_language()\n value = self.get_translated_value(obj, field_name, language)\n if value:\n return value\n if self.FALLBACK:\n for lang, lang_name in settings.LANGUAGES:\n if lang == language:\n continue\n value = self.get_translated_value(obj, field_name, lang)\n if value:\n return value\n untranslated = getattr(obj, field_name)\n if self._is_truthy(untranslated):\n return untranslated\n else:\n return self.EMPTY_VALUE\n except Exception:\n if settings.TEMPLATE_DEBUG:\n raise\n return self.EMPTY_VALUE\n", "role": "user" }, { "content": "get_value", "role": "assistant" } ]
def x(node, space=''): txt = '' try: txt = node.literal except: pass if txt is None or txt == '': print('{}{}'.format(space, node.t)) else: print('{}{}\t{}'.format(space, node.t, txt)) cur = node.first_child if cur: while cur is not None: customWalker(cur, space + ' ') cur = cur.nxt
customWalker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, space=''):\n txt = ''\n try:\n txt = node.literal\n except:\n pass\n if txt is None or txt == '':\n print('{}{}'.format(space, node.t))\n else:\n print('{}{}\\t{}'.format(space, node.t, txt))\n cur = node.first_child\n if cur:\n while cur is not None:\n customWalker(cur, space + ' ')\n cur = cur.nxt\n", "role": "user" }, { "content": "customWalker", "role": "assistant" } ]
def x(node): text = '' if node.string_content is not None: text = node.string_content o = nodes.paragraph('', ' '.join(text)) o.line = node.sourcepos[0][0] for n in MarkDown(node): o.append(n) return o
paragraph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n text = ''\n if node.string_content is not None:\n text = node.string_content\n o = nodes.paragraph('', ' '.join(text))\n o.line = node.sourcepos[0][0]\n for n in MarkDown(node):\n o.append(n)\n return o\n", "role": "user" }, { "content": "paragraph", "role": "assistant" } ]
def x(node): o = nodes.reference() o['refuri'] = node.destination if node.title: o['name'] = node.title for n in MarkDown(node): o += n return o
reference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n o = nodes.reference()\n o['refuri'] = node.destination\n if node.title:\n o['name'] = node.title\n for n in MarkDown(node):\n o += n\n return o\n", "role": "user" }, { "content": "reference", "role": "assistant" } ]
def x(node): o = nodes.emphasis() for n in MarkDown(node): o += n return o
emphasis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n o = nodes.emphasis()\n for n in MarkDown(node):\n o += n\n return o\n", "role": "user" }, { "content": "emphasis", "role": "assistant" } ]
def x(node): o = nodes.strong() for n in MarkDown(node): o += n return o
strong
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n o = nodes.strong()\n for n in MarkDown(node):\n o += n\n return o\n", "role": "user" }, { "content": "strong", "role": "assistant" } ]
def x(node): rendered = [] try: if node.info is not None: l = Lexer(node.literal, node.info, tokennames='long') for _ in l: rendered.append(node.inline(classes=_[0], text=_[1])) except: pass classes = ['code'] if node.info is not None: classes.append(node.info) if len(rendered) > 0: o = nodes.literal(classes=classes) for element in rendered: o += element else: o = nodes.literal(text=node.literal, classes=classes) for n in MarkDown(node): o += n return o
literal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n rendered = []\n try:\n if node.info is not None:\n l = Lexer(node.literal, node.info, tokennames='long')\n for _ in l:\n rendered.append(node.inline(classes=_[0], text=_[1]))\n except:\n pass\n classes = ['code']\n if node.info is not None:\n classes.append(node.info)\n if len(rendered) > 0:\n o = nodes.literal(classes=classes)\n for element in rendered:\n o += element\n else:\n o = nodes.literal(text=node.literal, classes=classes)\n for n in MarkDown(node):\n o += n\n return o\n", "role": "user" }, { "content": "literal", "role": "assistant" } ]