source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, excMsg=None): returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value if value != value.strip() or any(c in value for c in '\\/:*?"<>|'): _raiseValidationException(_('%r is not a valid filename.') % _errstr(value), excMsg) return value
validateFilename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, excMsg=None):\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n if value != value.strip() or any(c in value for c in '\\\\/:*?\"<>|'):\n _raiseValidationException(_('%r is not a valid filename.') %\n _errstr(value), excMsg)\n return value\n", "role": "user" }, { "content": "validateFilename", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, excMsg=None, mustExist=False): returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value if value != value.strip() or any(c in value for c in '*?"<>|'): if ':' in value: if value.find(':', 2) != -1 or not value[0].isalpha(): _raiseValidationException(_('%r is not a valid file path.') % _errstr(value), excMsg) _raiseValidationException(_('%r is not a valid file path.') % _errstr(value), excMsg) return value raise NotImplementedError()
validateFilepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, excMsg=None, mustExist=False):\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n if value != value.strip() or any(c in value for c in '*?\"<>|'):\n if ':' in value:\n if value.find(':', 2) != -1 or not value[0].isalpha():\n _raiseValidationException(_('%r is not a valid file path.') %\n _errstr(value), excMsg)\n _raiseValidationException(_('%r is not a valid file path.') %\n _errstr(value), excMsg)\n return value\n raise NotImplementedError()\n", "role": "user" }, { "content": "validateFilepath", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, excMsg=None): _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes= allowlistRegexes, blocklistRegexes=blocklistRegexes) returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value try: try: if validateRegex(value=value, regex=IPV4_REGEX, blank=blank, strip=strip, allowlistRegexes=allowlistRegexes, blocklistRegexes=blocklistRegexes): return value except: pass if validateRegex(value=value, regex=IPV6_REGEX, blank=blank, strip= strip, allowlistRegexes=allowlistRegexes, blocklistRegexes= blocklistRegexes): return value except ValidationException: _raiseValidationException(_('%r is not a valid IP address.') % _errstr(value), excMsg)
validateIP
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, excMsg=None):\n _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes=\n allowlistRegexes, blocklistRegexes=blocklistRegexes)\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n try:\n try:\n if validateRegex(value=value, regex=IPV4_REGEX, blank=blank,\n strip=strip, allowlistRegexes=allowlistRegexes,\n blocklistRegexes=blocklistRegexes):\n return value\n except:\n pass\n if validateRegex(value=value, regex=IPV6_REGEX, blank=blank, strip=\n strip, allowlistRegexes=allowlistRegexes, blocklistRegexes=\n blocklistRegexes):\n return value\n except ValidationException:\n _raiseValidationException(_('%r is not a valid IP address.') %\n _errstr(value), excMsg)\n", "role": "user" }, { "content": "validateIP", "role": "assistant" } ]
def x(value, regex, flags=0, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, excMsg=None): _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes= allowlistRegexes, blocklistRegexes=blocklistRegexes) returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value if isinstance(regex, str): mo = re.compile(regex, flags).search(value) elif isinstance(regex, REGEX_TYPE): mo = regex.search(value) else: raise PySimpleValidateException('regex must be a str or regex object') if mo is not None: return mo.group() else: _raiseValidationException(_( '%r does not match the specified pattern.') % _errstr(value), excMsg)
validateRegex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, regex, flags=0, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, excMsg=None):\n _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes=\n allowlistRegexes, blocklistRegexes=blocklistRegexes)\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n if isinstance(regex, str):\n mo = re.compile(regex, flags).search(value)\n elif isinstance(regex, REGEX_TYPE):\n mo = regex.search(value)\n else:\n raise PySimpleValidateException('regex must be a str or regex object')\n if mo is not None:\n return mo.group()\n else:\n _raiseValidationException(_(\n '%r does not match the specified pattern.') % _errstr(value),\n excMsg)\n", "role": "user" }, { "content": "validateRegex", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, excMsg=None): _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes= allowlistRegexes, blocklistRegexes=blocklistRegexes) returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value try: return re.compile(value) except Exception as ex: _raiseValidationException(_( '%r is not a valid regular expression: %s') % (_errstr(value), ex), excMsg)
validateRegexStr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, excMsg=None):\n _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes=\n allowlistRegexes, blocklistRegexes=blocklistRegexes)\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n try:\n return re.compile(value)\n except Exception as ex:\n _raiseValidationException(_(\n '%r is not a valid regular expression: %s') % (_errstr(value),\n ex), excMsg)\n", "role": "user" }, { "content": "validateRegexStr", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, excMsg=None): try: result = validateRegex(value=value, regex=URL_REGEX, blank=blank, strip=strip, allowlistRegexes=allowlistRegexes, blocklistRegexes=blocklistRegexes) if result is not None: return result except ValidationException: if value == 'localhost': return value _raiseValidationException(_('%r is not a valid URL.') % value, excMsg)
validateURL
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, excMsg=None):\n try:\n result = validateRegex(value=value, regex=URL_REGEX, blank=blank,\n strip=strip, allowlistRegexes=allowlistRegexes,\n blocklistRegexes=blocklistRegexes)\n if result is not None:\n return result\n except ValidationException:\n if value == 'localhost':\n return value\n _raiseValidationException(_('%r is not a valid URL.') % value, excMsg)\n", "role": "user" }, { "content": "validateURL", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, excMsg=None): try: result = validateRegex(value=value, regex=EMAIL_REGEX, blank=blank, strip=strip, allowlistRegexes=allowlistRegexes, blocklistRegexes=blocklistRegexes) if result is not None: return result except ValidationException: _raiseValidationException(_('%r is not a valid email address.') % value, excMsg)
validateEmail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, excMsg=None):\n try:\n result = validateRegex(value=value, regex=EMAIL_REGEX, blank=blank,\n strip=strip, allowlistRegexes=allowlistRegexes,\n blocklistRegexes=blocklistRegexes)\n if result is not None:\n return result\n except ValidationException:\n _raiseValidationException(_('%r is not a valid email address.') %\n value, excMsg)\n", "role": "user" }, { "content": "validateEmail", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, yesVal='yes', noVal='no', caseSensitive=False, excMsg=None): _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes= allowlistRegexes, blocklistRegexes=blocklistRegexes) returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value yesVal = str(yesVal) noVal = str(noVal) if len(yesVal) == 0: raise PySimpleValidateException( 'yesVal argument must be a non-empty string.') if len(noVal) == 0: raise PySimpleValidateException( 'noVal argument must be a non-empty string.') if yesVal == noVal or not caseSensitive and yesVal.upper() == noVal.upper( ): raise PySimpleValidateException( 'yesVal and noVal arguments must be different.') if yesVal[0] == noVal[0] or not caseSensitive and yesVal[0].upper( ) == noVal[0].upper(): raise PySimpleValidateException( 'first character of yesVal and noVal arguments must be different') returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value if caseSensitive: if value in (yesVal, yesVal[0]): return yesVal elif value in (noVal, noVal[0]): return noVal elif value.upper() in (yesVal.upper(), yesVal[0].upper()): return yesVal elif value.upper() in (noVal.upper(), noVal[0].upper()): return noVal _raiseValidationException(_('%r is not a valid %s/%s response.') % ( _errstr(value), yesVal, noVal), excMsg)
validateYesNo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, yesVal='yes', noVal='no', caseSensitive=False,\n excMsg=None):\n _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes=\n allowlistRegexes, blocklistRegexes=blocklistRegexes)\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n yesVal = str(yesVal)\n noVal = str(noVal)\n if len(yesVal) == 0:\n raise PySimpleValidateException(\n 'yesVal argument must be a non-empty string.')\n if len(noVal) == 0:\n raise PySimpleValidateException(\n 'noVal argument must be a non-empty string.')\n if yesVal == noVal or not caseSensitive and yesVal.upper() == noVal.upper(\n ):\n raise PySimpleValidateException(\n 'yesVal and noVal arguments must be different.')\n if yesVal[0] == noVal[0] or not caseSensitive and yesVal[0].upper(\n ) == noVal[0].upper():\n raise PySimpleValidateException(\n 'first character of yesVal and noVal arguments must be different')\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n if caseSensitive:\n if value in (yesVal, yesVal[0]):\n return yesVal\n elif value in (noVal, noVal[0]):\n return noVal\n elif value.upper() in (yesVal.upper(), yesVal[0].upper()):\n return yesVal\n elif value.upper() in (noVal.upper(), noVal[0].upper()):\n return noVal\n _raiseValidationException(_('%r is not a valid %s/%s response.') % (\n _errstr(value), yesVal, noVal), excMsg)\n", "role": "user" }, { "content": "validateYesNo", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, trueVal='True', falseVal='False', caseSensitive= False, excMsg=None): _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes= allowlistRegexes, blocklistRegexes=blocklistRegexes) returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value trueVal = str(trueVal) falseVal = str(falseVal) if len(trueVal) == 0: raise PySimpleValidateException( 'trueVal argument must be a non-empty string.') if len(falseVal) == 0: raise PySimpleValidateException( 'falseVal argument must be a non-empty string.') if trueVal == falseVal or not caseSensitive and trueVal.upper( ) == falseVal.upper(): raise PySimpleValidateException( 'trueVal and noVal arguments must be different.') if trueVal[0] == falseVal[0] or not caseSensitive and trueVal[0].upper( ) == falseVal[0].upper(): raise PySimpleValidateException( 'first character of trueVal and noVal arguments must be different') result = validateYesNo(value, blank=blank, strip=strip, allowlistRegexes=allowlistRegexes, blocklistRegexes= blocklistRegexes, yesVal=trueVal, noVal=falseVal, caseSensitive= caseSensitive, excMsg=None) if result == trueVal: return True elif result == falseVal: return False else: assert False, 'inner validateYesNo() call returned something that was not yesVal or noVal. This should never happen.'
validateBool
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, trueVal='True', falseVal='False', caseSensitive=\n False, excMsg=None):\n _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes=\n allowlistRegexes, blocklistRegexes=blocklistRegexes)\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n trueVal = str(trueVal)\n falseVal = str(falseVal)\n if len(trueVal) == 0:\n raise PySimpleValidateException(\n 'trueVal argument must be a non-empty string.')\n if len(falseVal) == 0:\n raise PySimpleValidateException(\n 'falseVal argument must be a non-empty string.')\n if trueVal == falseVal or not caseSensitive and trueVal.upper(\n ) == falseVal.upper():\n raise PySimpleValidateException(\n 'trueVal and noVal arguments must be different.')\n if trueVal[0] == falseVal[0] or not caseSensitive and trueVal[0].upper(\n ) == falseVal[0].upper():\n raise PySimpleValidateException(\n 'first character of trueVal and noVal arguments must be different')\n result = validateYesNo(value, blank=blank, strip=strip,\n allowlistRegexes=allowlistRegexes, blocklistRegexes=\n blocklistRegexes, yesVal=trueVal, noVal=falseVal, caseSensitive=\n caseSensitive, excMsg=None)\n if result == trueVal:\n return True\n elif result == falseVal:\n return False\n else:\n assert False, 'inner validateYesNo() call returned something that was not yesVal or noVal. This should never happen.'\n", "role": "user" }, { "content": "validateBool", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, excMsg=None, returnStateName=False): _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes= allowlistRegexes, blocklistRegexes=blocklistRegexes) returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value if value.upper() in USA_STATES_UPPER.keys(): if returnStateName: return USA_STATES[value.upper()] else: return value.upper() elif value.title() in USA_STATES.values(): if returnStateName: return value.title() else: return USA_STATES_REVERSED[value.title()] _raiseValidationException(_('%r is not a state.') % _errstr(value), excMsg)
validateState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, excMsg=None, returnStateName=False):\n _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes=\n allowlistRegexes, blocklistRegexes=blocklistRegexes)\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n if value.upper() in USA_STATES_UPPER.keys():\n if returnStateName:\n return USA_STATES[value.upper()]\n else:\n return value.upper()\n elif value.title() in USA_STATES.values():\n if returnStateName:\n return value.title()\n else:\n return USA_STATES_REVERSED[value.title()]\n _raiseValidationException(_('%r is not a state.') % _errstr(value), excMsg)\n", "role": "user" }, { "content": "validateState", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, monthNames=ENGLISH_MONTHS, excMsg=None): _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes= allowlistRegexes, blocklistRegexes=blocklistRegexes) returnNow, value = _prevalidationCheck(value, blank, strip, allowlistRegexes, blocklistRegexes, excMsg) if returnNow: return value try: if monthNames == ENGLISH_MONTHS and 1 <= int(value) <= 12: return ENGLISH_MONTH_NAMES[int(value) - 1] except: pass if len(value) < 3: _raiseValidationException(_('%r is not a month.') % _errstr(value), excMsg) if value[:3].upper() in monthNames.keys(): return monthNames[value[:3].upper()] elif value.upper() in monthNames.values(): return value.title() _raiseValidationException(_('%r is not a month.') % _errstr(value), excMsg)
validateMonth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, monthNames=ENGLISH_MONTHS, excMsg=None):\n _validateGenericParameters(blank=blank, strip=strip, allowlistRegexes=\n allowlistRegexes, blocklistRegexes=blocklistRegexes)\n returnNow, value = _prevalidationCheck(value, blank, strip,\n allowlistRegexes, blocklistRegexes, excMsg)\n if returnNow:\n return value\n try:\n if monthNames == ENGLISH_MONTHS and 1 <= int(value) <= 12:\n return ENGLISH_MONTH_NAMES[int(value) - 1]\n except:\n pass\n if len(value) < 3:\n _raiseValidationException(_('%r is not a month.') % _errstr(value),\n excMsg)\n if value[:3].upper() in monthNames.keys():\n return monthNames[value[:3].upper()]\n elif value.upper() in monthNames.values():\n return value.title()\n _raiseValidationException(_('%r is not a month.') % _errstr(value), excMsg)\n", "role": "user" }, { "content": "validateMonth", "role": "assistant" } ]
def x(value, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, dayNames=ENGLISH_DAYS_OF_WEEK, excMsg=None): try: return validateMonth(value, blank=blank, strip=strip, allowlistRegexes=allowlistRegexes, blocklistRegexes= blocklistRegexes, monthNames=ENGLISH_DAYS_OF_WEEK) except: _raiseValidationException(_('%r is not a day of the week') % _errstr(value), excMsg)
validateDayOfWeek
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, dayNames=ENGLISH_DAYS_OF_WEEK, excMsg=None):\n try:\n return validateMonth(value, blank=blank, strip=strip,\n allowlistRegexes=allowlistRegexes, blocklistRegexes=\n blocklistRegexes, monthNames=ENGLISH_DAYS_OF_WEEK)\n except:\n _raiseValidationException(_('%r is not a day of the week') %\n _errstr(value), excMsg)\n", "role": "user" }, { "content": "validateDayOfWeek", "role": "assistant" } ]
def x(value, year, month, blank=False, strip=None, allowlistRegexes=None, blocklistRegexes=None, excMsg=None): try: daysInMonth = calendar.monthrange(year, month)[1] except: raise PySimpleValidateException( 'invalid arguments for year and/or month') try: return validateInt(value, blank=blank, strip=strip, allowlistRegexes=allowlistRegexes, blocklistRegexes= blocklistRegexes, min=1, max=daysInMonth) except: _raiseValidationException(_('%r is not a day in the month of %s %s' ) % (_errstr(value), ENGLISH_MONTH_NAMES[month - 1], year), excMsg)
validateDayOfMonth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, year, month, blank=False, strip=None, allowlistRegexes=None,\n blocklistRegexes=None, excMsg=None):\n try:\n daysInMonth = calendar.monthrange(year, month)[1]\n except:\n raise PySimpleValidateException(\n 'invalid arguments for year and/or month')\n try:\n return validateInt(value, blank=blank, strip=strip,\n allowlistRegexes=allowlistRegexes, blocklistRegexes=\n blocklistRegexes, min=1, max=daysInMonth)\n except:\n _raiseValidationException(_('%r is not a day in the month of %s %s'\n ) % (_errstr(value), ENGLISH_MONTH_NAMES[month - 1], year), excMsg)\n", "role": "user" }, { "content": "validateDayOfMonth", "role": "assistant" } ]
def x(level_string): levels = {'debug': logging.DEBUG, 'info': logging.INFO, 'warning': logging.WARNING, 'error': logging.ERROR, 'critical': logging.CRITICAL} try: level = levels[level_string.lower()] except KeyError: sys.exit('{0} is not a recognized logging level'.format(level_string)) else: return level
get_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(level_string):\n levels = {'debug': logging.DEBUG, 'info': logging.INFO, 'warning':\n logging.WARNING, 'error': logging.ERROR, 'critical': logging.CRITICAL}\n try:\n level = levels[level_string.lower()]\n except KeyError:\n sys.exit('{0} is not a recognized logging level'.format(level_string))\n else:\n return level\n", "role": "user" }, { "content": "get_level", "role": "assistant" } ]
def x(no_log_file, log_to, log_level, silent, verbosity): log_level = get_level(log_level) console_level = get_level(verbosity) log = logging.getLogger('openaccess_epub') log.setLevel(logging.DEBUG) standard = logging.Formatter(STANDARD_FORMAT) message_only = logging.Formatter(MESSAGE_ONLY_FORMAT) if not no_log_file and log_to is not None: fh = logging.FileHandler(filename=log_to) fh.setLevel(log_level) fh.setFormatter(standard) log.addHandler(fh) if not silent: sh_echo = logging.StreamHandler(sys.stdout) sh_echo.setLevel(console_level) sh_echo.setFormatter(message_only) log.addHandler(sh_echo)
config_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(no_log_file, log_to, log_level, silent, verbosity):\n log_level = get_level(log_level)\n console_level = get_level(verbosity)\n log = logging.getLogger('openaccess_epub')\n log.setLevel(logging.DEBUG)\n standard = logging.Formatter(STANDARD_FORMAT)\n message_only = logging.Formatter(MESSAGE_ONLY_FORMAT)\n if not no_log_file and log_to is not None:\n fh = logging.FileHandler(filename=log_to)\n fh.setLevel(log_level)\n fh.setFormatter(standard)\n log.addHandler(fh)\n if not silent:\n sh_echo = logging.StreamHandler(sys.stdout)\n sh_echo.setLevel(console_level)\n sh_echo.setFormatter(message_only)\n log.addHandler(sh_echo)\n", "role": "user" }, { "content": "config_logging", "role": "assistant" } ]
def x(logname, new_file, level=None, frmt=None): log = logging.getLogger(logname) if level is not None: level = get_level(level) explicit_level = True else: level = logging.DEBUG explicit_level = False if frmt is not None: frmt = logging.Formatter(frmt) explicit_frmt = True else: frmt = logging.Formatter(STANDARD_FORMAT) explicit_frmt = False old_filehandler = None for handler in log.handlers: if type(handler) == logging.FileHandler: old_filehandler = handler if not explicit_level: level = handler.level if not explicit_frmt: frmt = handler.formatter break new_filehandler = logging.FileHandler(new_file) new_filehandler.setLevel(level) new_filehandler.setFormatter(frmt) log.addHandler(new_filehandler) if old_filehandler is not None: old_filehandler.close() log.removeHandler(old_filehandler)
replace_filehandler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(logname, new_file, level=None, frmt=None):\n log = logging.getLogger(logname)\n if level is not None:\n level = get_level(level)\n explicit_level = True\n else:\n level = logging.DEBUG\n explicit_level = False\n if frmt is not None:\n frmt = logging.Formatter(frmt)\n explicit_frmt = True\n else:\n frmt = logging.Formatter(STANDARD_FORMAT)\n explicit_frmt = False\n old_filehandler = None\n for handler in log.handlers:\n if type(handler) == logging.FileHandler:\n old_filehandler = handler\n if not explicit_level:\n level = handler.level\n if not explicit_frmt:\n frmt = handler.formatter\n break\n new_filehandler = logging.FileHandler(new_file)\n new_filehandler.setLevel(level)\n new_filehandler.setFormatter(frmt)\n log.addHandler(new_filehandler)\n if old_filehandler is not None:\n old_filehandler.close()\n log.removeHandler(old_filehandler)\n", "role": "user" }, { "content": "replace_filehandler", "role": "assistant" } ]
def x(vecX, vecY, vecPrfSd, tplPngSize, varExtXmin, varExtXmax, varExtYmin, varExtYmax): vecXdgr = rmp_rng(vecX, varExtXmin, varExtXmax, varOldThrMin=0.0, varOldAbsMax=tplPngSize[0] - 1) vecYdgr = rmp_rng(vecY, varExtYmin, varExtYmax, varOldThrMin=0.0, varOldAbsMax=tplPngSize[1] - 1) varPix2DgrX = np.divide(varExtXmax - varExtXmin, tplPngSize[0]) varPix2DgrY = np.divide(varExtYmax - varExtYmin, tplPngSize[1]) strErrMsg = ('ERROR. The ratio of X and Y dimensions in ' + 'stimulus space (in pixels) do not agree') assert 0.5 > np.absolute(varPix2DgrX - varPix2DgrY), strErrMsg vecPrfSdDgr = np.multiply(vecPrfSd, varPix2DgrX) return vecXdgr, vecYdgr, vecPrfSdDgr
rmp_pixel_deg_xys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vecX, vecY, vecPrfSd, tplPngSize, varExtXmin, varExtXmax, varExtYmin,\n varExtYmax):\n vecXdgr = rmp_rng(vecX, varExtXmin, varExtXmax, varOldThrMin=0.0,\n varOldAbsMax=tplPngSize[0] - 1)\n vecYdgr = rmp_rng(vecY, varExtYmin, varExtYmax, varOldThrMin=0.0,\n varOldAbsMax=tplPngSize[1] - 1)\n varPix2DgrX = np.divide(varExtXmax - varExtXmin, tplPngSize[0])\n varPix2DgrY = np.divide(varExtYmax - varExtYmin, tplPngSize[1])\n strErrMsg = ('ERROR. The ratio of X and Y dimensions in ' +\n 'stimulus space (in pixels) do not agree')\n assert 0.5 > np.absolute(varPix2DgrX - varPix2DgrY), strErrMsg\n vecPrfSdDgr = np.multiply(vecPrfSd, varPix2DgrX)\n return vecXdgr, vecYdgr, vecPrfSdDgr\n", "role": "user" }, { "content": "rmp_pixel_deg_xys", "role": "assistant" } ]
def x(tplPngSize, varNum1, varExtXmin, varExtXmax, varNum2, varExtYmin, varExtYmax, varNumPrfSizes, varPrfStdMin, varPrfStdMax, kwUnt='pix', kwCrd='crt'): varNumMdls = varNum1 * varNum2 * varNumPrfSizes aryMdlParams = np.zeros((varNumMdls, 3), dtype=np.float32) varCntMdlPrms = 0 if kwCrd == 'crt': vecX = np.linspace(varExtXmin, varExtXmax, varNum1, endpoint=True) vecY = np.linspace(varExtYmin, varExtYmax, varNum2, endpoint=True) vecPrfSd = np.linspace(varPrfStdMin, varPrfStdMax, varNumPrfSizes, endpoint=True) if kwUnt == 'deg': pass elif kwUnt == 'pix': vecX, vecY, vecPrfSd = rmp_deg_pixel_xys(vecX, vecY, vecPrfSd, tplPngSize, varExtXmin, varExtXmax, varExtYmin, varExtYmax) else: print('Unknown keyword provided for possible model parameter ' + 'combinations: should be either pix or deg') for idxX in range(0, varNum1): for idxY in range(0, varNum2): for idxSd in range(0, varNumPrfSizes): aryMdlParams[varCntMdlPrms, 0] = vecX[idxX] aryMdlParams[varCntMdlPrms, 1] = vecY[idxY] aryMdlParams[varCntMdlPrms, 2] = vecPrfSd[idxSd] varCntMdlPrms += 1 elif kwCrd == 'pol': vecRad = np.linspace(0.0, varExtXmax, varNum1, endpoint=True) vecTht = np.linspace(0.0, 2 * np.pi, varNum2, endpoint=False) aryRad, aryTht = np.meshgrid(vecRad, vecTht, indexing='ij') vecRad = aryRad.flatten() vecTht = aryTht.flatten() vecX, vecY = map_pol_to_crt(vecTht, vecRad) vecPrfSd = np.linspace(varPrfStdMin, varPrfStdMax, varNumPrfSizes, endpoint=True) if kwUnt == 'deg': pass elif kwUnt == 'pix': vecX, vecY, vecPrfSd = rmp_deg_pixel_xys(vecX, vecY, vecPrfSd, tplPngSize, varExtXmin, varExtXmax, varExtYmin, varExtYmax) for idxXY in range(0, varNum1 * varNum2): for idxSd in range(0, varNumPrfSizes): aryMdlParams[varCntMdlPrms, 0] = vecX[idxXY] aryMdlParams[varCntMdlPrms, 1] = vecY[idxXY] aryMdlParams[varCntMdlPrms, 2] = vecPrfSd[idxSd] varCntMdlPrms += 1 else: print('Unknown keyword provided for coordinate system for model ' + 'parameter combinations: should be either crt or pol') return aryMdlParams
crt_mdl_prms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tplPngSize, varNum1, varExtXmin, varExtXmax, varNum2, varExtYmin,\n varExtYmax, varNumPrfSizes, varPrfStdMin, varPrfStdMax, kwUnt='pix',\n kwCrd='crt'):\n varNumMdls = varNum1 * varNum2 * varNumPrfSizes\n aryMdlParams = np.zeros((varNumMdls, 3), dtype=np.float32)\n varCntMdlPrms = 0\n if kwCrd == 'crt':\n vecX = np.linspace(varExtXmin, varExtXmax, varNum1, endpoint=True)\n vecY = np.linspace(varExtYmin, varExtYmax, varNum2, endpoint=True)\n vecPrfSd = np.linspace(varPrfStdMin, varPrfStdMax, varNumPrfSizes,\n endpoint=True)\n if kwUnt == 'deg':\n pass\n elif kwUnt == 'pix':\n vecX, vecY, vecPrfSd = rmp_deg_pixel_xys(vecX, vecY, vecPrfSd,\n tplPngSize, varExtXmin, varExtXmax, varExtYmin, varExtYmax)\n else:\n print('Unknown keyword provided for possible model parameter ' +\n 'combinations: should be either pix or deg')\n for idxX in range(0, varNum1):\n for idxY in range(0, varNum2):\n for idxSd in range(0, varNumPrfSizes):\n aryMdlParams[varCntMdlPrms, 0] = vecX[idxX]\n aryMdlParams[varCntMdlPrms, 1] = vecY[idxY]\n aryMdlParams[varCntMdlPrms, 2] = vecPrfSd[idxSd]\n varCntMdlPrms += 1\n elif kwCrd == 'pol':\n vecRad = np.linspace(0.0, varExtXmax, varNum1, endpoint=True)\n vecTht = np.linspace(0.0, 2 * np.pi, varNum2, endpoint=False)\n aryRad, aryTht = np.meshgrid(vecRad, vecTht, indexing='ij')\n vecRad = aryRad.flatten()\n vecTht = aryTht.flatten()\n vecX, vecY = map_pol_to_crt(vecTht, vecRad)\n vecPrfSd = np.linspace(varPrfStdMin, varPrfStdMax, varNumPrfSizes,\n endpoint=True)\n if kwUnt == 'deg':\n pass\n elif kwUnt == 'pix':\n vecX, vecY, vecPrfSd = rmp_deg_pixel_xys(vecX, vecY, vecPrfSd,\n tplPngSize, varExtXmin, varExtXmax, varExtYmin, varExtYmax)\n for idxXY in range(0, varNum1 * varNum2):\n for idxSd in range(0, varNumPrfSizes):\n aryMdlParams[varCntMdlPrms, 0] = vecX[idxXY]\n aryMdlParams[varCntMdlPrms, 1] = vecY[idxXY]\n aryMdlParams[varCntMdlPrms, 2] = vecPrfSd[idxSd]\n varCntMdlPrms += 1\n else:\n print('Unknown keyword provided for coordinate system for model ' +\n 'parameter combinations: should be either crt or pol')\n return aryMdlParams\n", "role": "user" }, { "content": "crt_mdl_prms", "role": "assistant" } ]
def x(arySptExpInf, tplPngSize, aryMdlParams, varPar, strCrd='crt', lgcPrint=True): if varPar == 1: aryMdlCndRsp = cnvl_2D_gauss(0, aryMdlParams, arySptExpInf, tplPngSize, None, strCrd=strCrd) else: lstMdlParams = np.array_split(aryMdlParams, varPar) queOut = mp.Queue() lstMdlTc = [None] * varPar lstPrcs = [None] * varPar if lgcPrint: print('---------Running parallel processes') for idxPrc in range(0, varPar): lstPrcs[idxPrc] = mp.Process(target=cnvl_2D_gauss, args=(idxPrc, lstMdlParams[idxPrc], arySptExpInf, tplPngSize, queOut), kwargs={'strCrd': strCrd}) lstPrcs[idxPrc].Daemon = True for idxPrc in range(0, varPar): lstPrcs[idxPrc].start() for idxPrc in range(0, varPar): lstMdlTc[idxPrc] = queOut.get(True) for idxPrc in range(0, varPar): lstPrcs[idxPrc].join() if lgcPrint: print('---------Collecting results from parallel processes') lstMdlTc = sorted(lstMdlTc) aryMdlCndRsp = np.empty((0, arySptExpInf.shape[-1])) for idx in range(0, varPar): aryMdlCndRsp = np.concatenate((aryMdlCndRsp, lstMdlTc[idx][1]), axis=0) del lstMdlParams del lstMdlTc return aryMdlCndRsp.astype('float16')
crt_mdl_rsp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arySptExpInf, tplPngSize, aryMdlParams, varPar, strCrd='crt',\n lgcPrint=True):\n if varPar == 1:\n aryMdlCndRsp = cnvl_2D_gauss(0, aryMdlParams, arySptExpInf,\n tplPngSize, None, strCrd=strCrd)\n else:\n lstMdlParams = np.array_split(aryMdlParams, varPar)\n queOut = mp.Queue()\n lstMdlTc = [None] * varPar\n lstPrcs = [None] * varPar\n if lgcPrint:\n print('---------Running parallel processes')\n for idxPrc in range(0, varPar):\n lstPrcs[idxPrc] = mp.Process(target=cnvl_2D_gauss, args=(idxPrc,\n lstMdlParams[idxPrc], arySptExpInf, tplPngSize, queOut),\n kwargs={'strCrd': strCrd})\n lstPrcs[idxPrc].Daemon = True\n for idxPrc in range(0, varPar):\n lstPrcs[idxPrc].start()\n for idxPrc in range(0, varPar):\n lstMdlTc[idxPrc] = queOut.get(True)\n for idxPrc in range(0, varPar):\n lstPrcs[idxPrc].join()\n if lgcPrint:\n print('---------Collecting results from parallel processes')\n lstMdlTc = sorted(lstMdlTc)\n aryMdlCndRsp = np.empty((0, arySptExpInf.shape[-1]))\n for idx in range(0, varPar):\n aryMdlCndRsp = np.concatenate((aryMdlCndRsp, lstMdlTc[idx][1]),\n axis=0)\n del lstMdlParams\n del lstMdlTc\n return aryMdlCndRsp.astype('float16')\n", "role": "user" }, { "content": "crt_mdl_rsp", "role": "assistant" } ]
def x(aryMdlRsp, aryCnd, aryOns, aryDrt, varTr, varNumVol, varTmpOvsmpl, lgcPrint=True): tplInpShp = aryMdlRsp.shape aryMdlRsp = aryMdlRsp.reshape((-1, aryMdlRsp.shape[-1])) if np.all(aryMdlRsp[:, 0] == 0): if lgcPrint: print('------------Removed first spatial condition (all zeros)') aryMdlRsp = aryMdlRsp[:, 1:] aryBxCarTmp = create_boxcar(aryCnd, aryOns, aryDrt, varTr, varNumVol, aryExclCnd=np.array([0.0]), varTmpOvsmpl=varTmpOvsmpl).T assert aryMdlRsp.shape[-1] == aryBxCarTmp.shape[0] aryNrlTc = np.zeros((aryMdlRsp.shape[0], aryBxCarTmp.shape[-1]), dtype= 'float16') for ind, vecCndOcc in enumerate(aryBxCarTmp): rspValPrdByMdl = aryMdlRsp[:, ind] aryNrlTc[..., vecCndOcc.astype('bool')] = rspValPrdByMdl[:, None] tplOutShp = tplInpShp[:-1] + (int(varNumVol * varTmpOvsmpl),) return aryNrlTc.reshape(tplOutShp).astype('float16')
crt_nrl_tc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aryMdlRsp, aryCnd, aryOns, aryDrt, varTr, varNumVol, varTmpOvsmpl,\n lgcPrint=True):\n tplInpShp = aryMdlRsp.shape\n aryMdlRsp = aryMdlRsp.reshape((-1, aryMdlRsp.shape[-1]))\n if np.all(aryMdlRsp[:, 0] == 0):\n if lgcPrint:\n print('------------Removed first spatial condition (all zeros)')\n aryMdlRsp = aryMdlRsp[:, 1:]\n aryBxCarTmp = create_boxcar(aryCnd, aryOns, aryDrt, varTr, varNumVol,\n aryExclCnd=np.array([0.0]), varTmpOvsmpl=varTmpOvsmpl).T\n assert aryMdlRsp.shape[-1] == aryBxCarTmp.shape[0]\n aryNrlTc = np.zeros((aryMdlRsp.shape[0], aryBxCarTmp.shape[-1]), dtype=\n 'float16')\n for ind, vecCndOcc in enumerate(aryBxCarTmp):\n rspValPrdByMdl = aryMdlRsp[:, ind]\n aryNrlTc[..., vecCndOcc.astype('bool')] = rspValPrdByMdl[:, None]\n tplOutShp = tplInpShp[:-1] + (int(varNumVol * varTmpOvsmpl),)\n return aryNrlTc.reshape(tplOutShp).astype('float16')\n", "role": "user" }, { "content": "crt_nrl_tc", "role": "assistant" } ]
def x(aryNrlTc, varNumVol, varTr, varTmpOvsmpl, switchHrfSet, tplPngSize, varPar, dctPrm=None, lgcPrint=True): if switchHrfSet == 3: lstHrf = [spmt, dspmt, ddspmt] elif switchHrfSet == 2: lstHrf = [spmt, dspmt] elif switchHrfSet == 1: lstHrf = [spmt] tplInpShp = aryNrlTc.shape aryNrlTc = np.reshape(aryNrlTc, (-1, aryNrlTc.shape[-1])) if varPar == 1: aryNrlTcConv = cnvl_tc(0, aryNrlTc, lstHrf, varTr, varNumVol, varTmpOvsmpl, None, dctPrm=dctPrm) else: lstNrlTc = np.array_split(aryNrlTc, varPar) queOut = mp.Queue() lstPrcs = [None] * varPar lstConv = [None] * varPar if lgcPrint: print('------------Running parallel processes') for idxPrc in range(0, varPar): lstPrcs[idxPrc] = mp.Process(target=cnvl_tc, args=(idxPrc, lstNrlTc[idxPrc], lstHrf, varTr, varNumVol, varTmpOvsmpl, queOut), kwargs={'dctPrm': dctPrm}) lstPrcs[idxPrc].Daemon = True for idxPrc in range(0, varPar): lstPrcs[idxPrc].start() for idxPrc in range(0, varPar): lstConv[idxPrc] = queOut.get(True) for idxPrc in range(0, varPar): lstPrcs[idxPrc].join() if lgcPrint: print('------------Collecting results from parallel processes') lstConv = sorted(lstConv) aryNrlTcConv = np.zeros((0, switchHrfSet, varNumVol), dtype=np.float32) for idxRes in range(0, varPar): aryNrlTcConv = np.concatenate((aryNrlTcConv, lstConv[idxRes][1] ), axis=0) del aryNrlTc del lstConv tplOutShp = tplInpShp[:-1] + (len(lstHrf),) + (varNumVol,) return np.reshape(aryNrlTcConv, tplOutShp).astype(np.float32)
crt_prf_tc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aryNrlTc, varNumVol, varTr, varTmpOvsmpl, switchHrfSet, tplPngSize,\n varPar, dctPrm=None, lgcPrint=True):\n if switchHrfSet == 3:\n lstHrf = [spmt, dspmt, ddspmt]\n elif switchHrfSet == 2:\n lstHrf = [spmt, dspmt]\n elif switchHrfSet == 1:\n lstHrf = [spmt]\n tplInpShp = aryNrlTc.shape\n aryNrlTc = np.reshape(aryNrlTc, (-1, aryNrlTc.shape[-1]))\n if varPar == 1:\n aryNrlTcConv = cnvl_tc(0, aryNrlTc, lstHrf, varTr, varNumVol,\n varTmpOvsmpl, None, dctPrm=dctPrm)\n else:\n lstNrlTc = np.array_split(aryNrlTc, varPar)\n queOut = mp.Queue()\n lstPrcs = [None] * varPar\n lstConv = [None] * varPar\n if lgcPrint:\n print('------------Running parallel processes')\n for idxPrc in range(0, varPar):\n lstPrcs[idxPrc] = mp.Process(target=cnvl_tc, args=(idxPrc,\n lstNrlTc[idxPrc], lstHrf, varTr, varNumVol, varTmpOvsmpl,\n queOut), kwargs={'dctPrm': dctPrm})\n lstPrcs[idxPrc].Daemon = True\n for idxPrc in range(0, varPar):\n lstPrcs[idxPrc].start()\n for idxPrc in range(0, varPar):\n lstConv[idxPrc] = queOut.get(True)\n for idxPrc in range(0, varPar):\n lstPrcs[idxPrc].join()\n if lgcPrint:\n print('------------Collecting results from parallel processes')\n lstConv = sorted(lstConv)\n aryNrlTcConv = np.zeros((0, switchHrfSet, varNumVol), dtype=np.float32)\n for idxRes in range(0, varPar):\n aryNrlTcConv = np.concatenate((aryNrlTcConv, lstConv[idxRes][1]\n ), axis=0)\n del aryNrlTc\n del lstConv\n tplOutShp = tplInpShp[:-1] + (len(lstHrf),) + (varNumVol,)\n return np.reshape(aryNrlTcConv, tplOutShp).astype(np.float32)\n", "role": "user" }, { "content": "crt_prf_tc", "role": "assistant" } ]
def x(aryMdlRsp, aryTmpExpInf, varNumVol, varTr, varTmpOvsmpl, switchHrfSet, tplPngSize, varPar, dctPrm=None, lgcPrint=True): vecFeat = np.unique(aryTmpExpInf[:, 3]) vecFeat = vecFeat[np.nonzero(vecFeat)[0]] aryPrfTc = np.zeros((aryMdlRsp.shape[0], 0, varNumVol), dtype=np.float32) for indFtr, ftr in enumerate(vecFeat): if lgcPrint: print('---------Create prf time course model for feature ' + str(ftr)) aryTmpCnd = aryTmpExpInf[aryTmpExpInf[:, 3] == ftr, 0] aryTmpOns = aryTmpExpInf[aryTmpExpInf[:, 3] == ftr, 1] aryTmpDrt = aryTmpExpInf[aryTmpExpInf[:, 3] == ftr, 2] aryNrlTcTmp = crt_nrl_tc(aryMdlRsp, aryTmpCnd, aryTmpOns, aryTmpDrt, varTr, varNumVol, varTmpOvsmpl, lgcPrint=lgcPrint) aryPrfTcTmp = crt_prf_tc(aryNrlTcTmp, varNumVol, varTr, varTmpOvsmpl, switchHrfSet, tplPngSize, varPar, dctPrm=dctPrm, lgcPrint=lgcPrint) aryPrfTc = np.concatenate((aryPrfTc, aryPrfTcTmp), axis=1) return aryPrfTc
crt_prf_ftr_tc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aryMdlRsp, aryTmpExpInf, varNumVol, varTr, varTmpOvsmpl, switchHrfSet,\n tplPngSize, varPar, dctPrm=None, lgcPrint=True):\n vecFeat = np.unique(aryTmpExpInf[:, 3])\n vecFeat = vecFeat[np.nonzero(vecFeat)[0]]\n aryPrfTc = np.zeros((aryMdlRsp.shape[0], 0, varNumVol), dtype=np.float32)\n for indFtr, ftr in enumerate(vecFeat):\n if lgcPrint:\n print('---------Create prf time course model for feature ' +\n str(ftr))\n aryTmpCnd = aryTmpExpInf[aryTmpExpInf[:, 3] == ftr, 0]\n aryTmpOns = aryTmpExpInf[aryTmpExpInf[:, 3] == ftr, 1]\n aryTmpDrt = aryTmpExpInf[aryTmpExpInf[:, 3] == ftr, 2]\n aryNrlTcTmp = crt_nrl_tc(aryMdlRsp, aryTmpCnd, aryTmpOns, aryTmpDrt,\n varTr, varNumVol, varTmpOvsmpl, lgcPrint=lgcPrint)\n aryPrfTcTmp = crt_prf_tc(aryNrlTcTmp, varNumVol, varTr,\n varTmpOvsmpl, switchHrfSet, tplPngSize, varPar, dctPrm=dctPrm,\n lgcPrint=lgcPrint)\n aryPrfTc = np.concatenate((aryPrfTc, aryPrfTcTmp), axis=1)\n return aryPrfTc\n", "role": "user" }, { "content": "crt_prf_ftr_tc", "role": "assistant" } ]
def x(A, return_index=False, return_inverse=False): A = np.require(A, requirements='C') assert A.ndim == 2, "array must be 2-dim'l" B = np.unique(A.view([('', A.dtype)] * A.shape[1]), return_index= return_index, return_inverse=return_inverse) if return_index or return_inverse: return (B[0].view(A.dtype).reshape((-1, A.shape[1]), order='C'),) + B[ 1:] else: return B.view(A.dtype).reshape((-1, A.shape[1]), order='C')
fnd_unq_rws
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(A, return_index=False, return_inverse=False):\n A = np.require(A, requirements='C')\n assert A.ndim == 2, \"array must be 2-dim'l\"\n B = np.unique(A.view([('', A.dtype)] * A.shape[1]), return_index=\n return_index, return_inverse=return_inverse)\n if return_index or return_inverse:\n return (B[0].view(A.dtype).reshape((-1, A.shape[1]), order='C'),) + B[\n 1:]\n else:\n return B.view(A.dtype).reshape((-1, A.shape[1]), order='C')\n", "role": "user" }, { "content": "fnd_unq_rws", "role": "assistant" } ]
async def _request(self, method: str, endpoint: str, *, headers: dict=None ) ->dict: """Make a request against air-matters.com.""" url = '{0}/{1}'.format(API_URL_SCAFFOLD, endpoint) if not headers: headers = {} headers.update({'Host': DEFAULT_HOST, 'Origin': DEFAULT_ORIGIN, 'Referer': DEFAULT_ORIGIN, 'User-Agent': DEFAULT_USER_AGENT}) async with self._websession.request(method, url, headers=headers) as resp: try: resp.raise_for_status() return await resp.json(content_type=None) except client_exceptions.ClientError as err: raise RequestError('Error requesting data from {0}: {1}'.format (endpoint, err)) from None
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def _request(self, method: str, endpoint: str, *, headers: dict=None\n ) ->dict:\n \"\"\"Make a request against air-matters.com.\"\"\"\n url = '{0}/{1}'.format(API_URL_SCAFFOLD, endpoint)\n if not headers:\n headers = {}\n headers.update({'Host': DEFAULT_HOST, 'Origin': DEFAULT_ORIGIN,\n 'Referer': DEFAULT_ORIGIN, 'User-Agent': DEFAULT_USER_AGENT})\n async with self._websession.request(method, url, headers=headers) as resp:\n try:\n resp.raise_for_status()\n return await resp.json(content_type=None)\n except client_exceptions.ClientError as err:\n raise RequestError('Error requesting data from {0}: {1}'.format\n (endpoint, err)) from None\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(get_response, params): async def decorated_filter(request, *args, **kwargs): response = await get_response(request, *args, **kwargs) if isinstance(response, HTTPResponse) and not isinstance(response, Response): return response if not isinstance(response, Response): response = Response(response) return response return decorated_filter
filter_transform_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(get_response, params):\n\n async def decorated_filter(request, *args, **kwargs):\n response = await get_response(request, *args, **kwargs)\n if isinstance(response, HTTPResponse) and not isinstance(response,\n Response):\n return response\n if not isinstance(response, Response):\n response = Response(response)\n return response\n return decorated_filter\n", "role": "user" }, { "content": "filter_transform_response", "role": "assistant" } ]
def x(self): doi_prefix = self.doi.split('/')[0] try: publisher_mod = openaccess_epub.publisher.import_by_doi(doi_prefix) except ImportError as e: log.exception(e) return None return publisher_mod.pub_class(self)
get_publisher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n doi_prefix = self.doi.split('/')[0]\n try:\n publisher_mod = openaccess_epub.publisher.import_by_doi(doi_prefix)\n except ImportError as e:\n log.exception(e)\n return None\n return publisher_mod.pub_class(self)\n", "role": "user" }, { "content": "get_publisher", "role": "assistant" } ]
def x(self): if self.dtd_name == 'JPTS': doi = self.root.xpath( "./front/article-meta/article-id[@pub-id-type='doi']") if doi: return doi[0].text log.warning('Unable to locate DOI string for this article') return None else: log.warning('Unable to locate DOI string for this article') return None
get_DOI
[ { "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.dtd_name == 'JPTS':\n doi = self.root.xpath(\n \"./front/article-meta/article-id[@pub-id-type='doi']\")\n if doi:\n return doi[0].text\n log.warning('Unable to locate DOI string for this article')\n return None\n else:\n log.warning('Unable to locate DOI string for this article')\n return None\n", "role": "user" }, { "content": "get_DOI", "role": "assistant" } ]
def x(vecMdl, aryFuncChnk): aryTmpBts, vecTmpRes = np.linalg.lstsq(vecMdl, aryFuncChnk, rcond=-1)[:2] return aryTmpBts, vecTmpRes
np_lst_sq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vecMdl, aryFuncChnk):\n aryTmpBts, vecTmpRes = np.linalg.lstsq(vecMdl, aryFuncChnk, rcond=-1)[:2]\n return aryTmpBts, vecTmpRes\n", "role": "user" }, { "content": "np_lst_sq", "role": "assistant" } ]
def x(vecMdl, aryFuncChnk, aryIdxTrn, aryIdxTst): varNumXval = aryIdxTrn.shape[-1] varNumVoxChnk = aryFuncChnk.shape[-1] aryResXval = np.empty((varNumVoxChnk, varNumXval), dtype=np.float32) for idxXval in range(varNumXval): vecMdlTrn = vecMdl[aryIdxTrn[:, idxXval], :] vecMdlTst = vecMdl[aryIdxTst[:, idxXval], :] aryFuncChnkTrn = aryFuncChnk[aryIdxTrn[:, idxXval], :] aryFuncChnkTst = aryFuncChnk[aryIdxTst[:, idxXval], :] vecTmpPe = np.linalg.lstsq(vecMdlTrn, aryFuncChnkTrn, rcond=-1)[0] aryMdlPrdTc = np.dot(vecMdlTst, vecTmpPe) aryResXval[:, idxXval] = np.sum(np.subtract(aryFuncChnkTst, aryMdlPrdTc) ** 2, axis=0) return aryResXval
np_lst_sq_xval
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vecMdl, aryFuncChnk, aryIdxTrn, aryIdxTst):\n varNumXval = aryIdxTrn.shape[-1]\n varNumVoxChnk = aryFuncChnk.shape[-1]\n aryResXval = np.empty((varNumVoxChnk, varNumXval), dtype=np.float32)\n for idxXval in range(varNumXval):\n vecMdlTrn = vecMdl[aryIdxTrn[:, idxXval], :]\n vecMdlTst = vecMdl[aryIdxTst[:, idxXval], :]\n aryFuncChnkTrn = aryFuncChnk[aryIdxTrn[:, idxXval], :]\n aryFuncChnkTst = aryFuncChnk[aryIdxTst[:, idxXval], :]\n vecTmpPe = np.linalg.lstsq(vecMdlTrn, aryFuncChnkTrn, rcond=-1)[0]\n aryMdlPrdTc = np.dot(vecMdlTst, vecTmpPe)\n aryResXval[:, idxXval] = np.sum(np.subtract(aryFuncChnkTst,\n aryMdlPrdTc) ** 2, axis=0)\n return aryResXval\n", "role": "user" }, { "content": "np_lst_sq_xval", "role": "assistant" } ]
async def _raw_user_report_data(self) ->list: """Return user report data (if accompanied by latitude/longitude).""" data = await self._request('get', 'map/markers') return [location for location in data if location['latitude'] and location['longitude']]
raw_user_report_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def _raw_user_report_data(self) ->list:\n \"\"\"Return user report data (if accompanied by latitude/longitude).\"\"\"\n data = await self._request('get', 'map/markers')\n return [location for location in data if location['latitude'] and\n location['longitude']]\n", "role": "user" }, { "content": "raw_user_report_data", "role": "assistant" } ]
async def _raw_state_data(self) ->list: """Return a list of states.""" data = await self._request('get', 'states') return [location for location in data if location['name'] != 'United States']
raw_state_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def _raw_state_data(self) ->list:\n \"\"\"Return a list of states.\"\"\"\n data = await self._request('get', 'states')\n return [location for location in data if location['name'] !=\n 'United States']\n", "role": "user" }, { "content": "raw_state_data", "role": "assistant" } ]
async def nearest_by_coordinates(self, latitude: float, longitude: float ) ->dict: """Get the nearest report (with local and state info) to a lat/lon.""" nearest_user_report = get_nearest_by_coordinates(await self. user_reports(), 'latitude', 'longitude', latitude, longitude) try: nearest_state = next(state for state in await self.state_data() if state['place_id'] == nearest_user_report['contained_by']) except StopIteration: nearest_state = get_nearest_by_coordinates(await self.state_data(), 'lat', 'lon', latitude, longitude) return {'local': nearest_user_report, 'state': nearest_state}
nearest_by_coordinates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def nearest_by_coordinates(self, latitude: float, longitude: float\n ) ->dict:\n \"\"\"Get the nearest report (with local and state info) to a lat/lon.\"\"\"\n nearest_user_report = get_nearest_by_coordinates(await self.\n user_reports(), 'latitude', 'longitude', latitude, longitude)\n try:\n nearest_state = next(state for state in await self.state_data() if \n state['place_id'] == nearest_user_report['contained_by'])\n except StopIteration:\n nearest_state = get_nearest_by_coordinates(await self.state_data(),\n 'lat', 'lon', latitude, longitude)\n return {'local': nearest_user_report, 'state': nearest_state}\n", "role": "user" }, { "content": "nearest_by_coordinates", "role": "assistant" } ]
def x(self, maxsize, history=None): super().__init__() self.maxsize = int(maxsize) self.history = deque(maxlen=self.maxsize) if history is not None: for key, value in history: self.insert(key, value)
initialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, maxsize, history=None):\n super().__init__()\n self.maxsize = int(maxsize)\n self.history = deque(maxlen=self.maxsize)\n if history is not None:\n for key, value in history:\n self.insert(key, value)\n", "role": "user" }, { "content": "initialize", "role": "assistant" } ]
def x(self, key, value): if len(self.history) == self.maxsize: expectorate = self.history[0] else: expectorate = None self.history.append((key, value)) if key in self: super().__getitem__(key).append(value) else: super().__setitem__(key, [value]) if expectorate is not None: old_key, old_value = expectorate super().__getitem__(old_key).pop(0) if len(super().__getitem__(old_key)) == 0: super().__delitem__(old_key) return old_key, old_value
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n if len(self.history) == self.maxsize:\n expectorate = self.history[0]\n else:\n expectorate = None\n self.history.append((key, value))\n if key in self:\n super().__getitem__(key).append(value)\n else:\n super().__setitem__(key, [value])\n if expectorate is not None:\n old_key, old_value = expectorate\n super().__getitem__(old_key).pop(0)\n if len(super().__getitem__(old_key)) == 0:\n super().__delitem__(old_key)\n return old_key, old_value\n", "role": "user" }, { "content": "insert", "role": "assistant" } ]
def x(self, key): for okey, ovalue in reversed(self.history): if okey == key: break else: yield ovalue
up_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n for okey, ovalue in reversed(self.history):\n if okey == key:\n break\n else:\n yield ovalue\n", "role": "user" }, { "content": "up_to", "role": "assistant" } ]
def x(self, uri, methods=frozenset({'GET'}), **kwargs): def x(f): if kwargs.get('stream'): f.is_stream = kwargs['stream'] self.add_resource(f, uri=uri, methods=methods, **kwargs) return decorator
resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uri, methods=frozenset({'GET'}), **kwargs):\n\n def x(f):\n if kwargs.get('stream'):\n f.is_stream = kwargs['stream']\n self.add_resource(f, uri=uri, methods=methods, **kwargs)\n return decorator\n", "role": "user" }, { "content": "resource", "role": "assistant" } ]
def x(self, handler, uri, methods=frozenset({'GET'}), **kwargs): sanic_args = 'host', 'strict_slashes', 'version', 'name' view_kwargs = dict((k, v) for k, v in kwargs.items() if k in sanic_args) filters = kwargs.get('filters', self.default_filters) validators = kwargs.get('validators', []) filter_list = list(filters) + list(validators) filter_options = {'filter_list': filter_list, 'handler': handler, 'uri': uri, 'methods': methods} filter_options.update(kwargs) handler = self.init_filters(filter_list, filter_options)(handler) return self.add_route(handler=handler, uri=uri, methods=methods, ** view_kwargs)
add_resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handler, uri, methods=frozenset({'GET'}), **kwargs):\n sanic_args = 'host', 'strict_slashes', 'version', 'name'\n view_kwargs = dict((k, v) for k, v in kwargs.items() if k in sanic_args)\n filters = kwargs.get('filters', self.default_filters)\n validators = kwargs.get('validators', [])\n filter_list = list(filters) + list(validators)\n filter_options = {'filter_list': filter_list, 'handler': handler, 'uri':\n uri, 'methods': methods}\n filter_options.update(kwargs)\n handler = self.init_filters(filter_list, filter_options)(handler)\n return self.add_route(handler=handler, uri=uri, methods=methods, **\n view_kwargs)\n", "role": "user" }, { "content": "add_resource", "role": "assistant" } ]
def x(session, rev_id, page_id=None, radius=defaults.RADIUS, before=None, window=None, rvprop=None): rev_id = int(rev_id) radius = int(radius) if radius < 1: raise TypeError('invalid radius. Expected a positive integer.') page_id = int(page_id) if page_id is not None else None before = Timestamp(before) if before is not None else None rvprop = set(rvprop) if rvprop is not None else set() if page_id is None: page_id = get_page_id(session, rev_id) current_and_past_revs = list(n_edits_before(session, rev_id, page_id, n =radius + 1, rvprop={'ids', 'timestamp', 'sha1'} | rvprop)) if len(current_and_past_revs) < 1: raise KeyError('Revision {0} not found in page {1}.'.format(rev_id, page_id)) current_rev, past_revs = current_and_past_revs[-1], current_and_past_revs[: -1] if window is not None and before is None: before = Timestamp(current_rev['timestamp']) + window future_revs = list(n_edits_after(session, rev_id + 1, page_id, n=radius, timestamp=before, rvprop={'ids', 'timestamp', 'sha1'} | rvprop)) return build_revert_tuple(rev_id, past_revs, current_rev, future_revs, radius)
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(session, rev_id, page_id=None, radius=defaults.RADIUS, before=None,\n window=None, rvprop=None):\n rev_id = int(rev_id)\n radius = int(radius)\n if radius < 1:\n raise TypeError('invalid radius. Expected a positive integer.')\n page_id = int(page_id) if page_id is not None else None\n before = Timestamp(before) if before is not None else None\n rvprop = set(rvprop) if rvprop is not None else set()\n if page_id is None:\n page_id = get_page_id(session, rev_id)\n current_and_past_revs = list(n_edits_before(session, rev_id, page_id, n\n =radius + 1, rvprop={'ids', 'timestamp', 'sha1'} | rvprop))\n if len(current_and_past_revs) < 1:\n raise KeyError('Revision {0} not found in page {1}.'.format(rev_id,\n page_id))\n current_rev, past_revs = current_and_past_revs[-1], current_and_past_revs[:\n -1]\n if window is not None and before is None:\n before = Timestamp(current_rev['timestamp']) + window\n future_revs = list(n_edits_after(session, rev_id + 1, page_id, n=radius,\n timestamp=before, rvprop={'ids', 'timestamp', 'sha1'} | rvprop))\n return build_revert_tuple(rev_id, past_revs, current_rev, future_revs,\n radius)\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(session, rev_id, title=None, timestamp=None, radius=defaults.RADIUS, before=None, window=None, rvprop=None): rev_id = int(rev_id) radius = int(radius) if radius < 1: raise TypeError('invalid radius. Expected a positive integer.') title = str(title) if title is not None else None before = Timestamp(before) if before is not None else None rvprop = set(rvprop) if rvprop is not None else set() if title is None or timestamp is None: title, timestamp = get_deleted_title_and_timestamp(session, rev_id) current_and_past_revs = list(n_deleted_edits_before(session, rev_id, title, timestamp, n=radius + 1, rvprop={'ids', 'timestamp', 'sha1'} | rvprop)) if len(current_and_past_revs) < 1: raise KeyError('Revision {0} not found in page {1}.'.format(rev_id, title)) current_rev, past_revs = current_and_past_revs[-1], current_and_past_revs[: -1] if window is not None and before is None: before = Timestamp(current_rev['timestamp']) + window future_revs = list(n_deleted_edits_after(session, rev_id + 1, title, timestamp, n=radius, before=before, rvprop={'ids', 'timestamp', 'sha1'} | rvprop)) return build_revert_tuple(rev_id, past_revs, current_rev, future_revs, radius)
check_deleted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(session, rev_id, title=None, timestamp=None, radius=defaults.RADIUS,\n before=None, window=None, rvprop=None):\n rev_id = int(rev_id)\n radius = int(radius)\n if radius < 1:\n raise TypeError('invalid radius. Expected a positive integer.')\n title = str(title) if title is not None else None\n before = Timestamp(before) if before is not None else None\n rvprop = set(rvprop) if rvprop is not None else set()\n if title is None or timestamp is None:\n title, timestamp = get_deleted_title_and_timestamp(session, rev_id)\n current_and_past_revs = list(n_deleted_edits_before(session, rev_id,\n title, timestamp, n=radius + 1, rvprop={'ids', 'timestamp', 'sha1'} |\n rvprop))\n if len(current_and_past_revs) < 1:\n raise KeyError('Revision {0} not found in page {1}.'.format(rev_id,\n title))\n current_rev, past_revs = current_and_past_revs[-1], current_and_past_revs[:\n -1]\n if window is not None and before is None:\n before = Timestamp(current_rev['timestamp']) + window\n future_revs = list(n_deleted_edits_after(session, rev_id + 1, title,\n timestamp, n=radius, before=before, rvprop={'ids', 'timestamp',\n 'sha1'} | rvprop))\n return build_revert_tuple(rev_id, past_revs, current_rev, future_revs,\n radius)\n", "role": "user" }, { "content": "check_deleted", "role": "assistant" } ]
def x(repo_dir, old_commit, new_commit, hide_merges=True): repo = Repo(repo_dir) commits = repo.iter_commits(rev='{0}..{1}'.format(old_commit, new_commit)) if hide_merges: return [x for x in commits if not x.summary.startswith('Merge ')] else: return list(commits)
get_commits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_dir, old_commit, new_commit, hide_merges=True):\n repo = Repo(repo_dir)\n commits = repo.iter_commits(rev='{0}..{1}'.format(old_commit, new_commit))\n if hide_merges:\n return [x for x in commits if not x.summary.startswith('Merge ')]\n else:\n return list(commits)\n", "role": "user" }, { "content": "get_commits", "role": "assistant" } ]
def x(repo_url): if 'github.com' in repo_url: return repo_url[:-4] if repo_url.endswith('.git') else repo_url if 'git.openstack.org' in repo_url: uri = '/'.join(repo_url.split('/')[-2:]) return 'https://github.com/{0}'.format(uri) return repo_url
get_commit_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_url):\n if 'github.com' in repo_url:\n return repo_url[:-4] if repo_url.endswith('.git') else repo_url\n if 'git.openstack.org' in repo_url:\n uri = '/'.join(repo_url.split('/')[-2:])\n return 'https://github.com/{0}'.format(uri)\n return repo_url\n", "role": "user" }, { "content": "get_commit_url", "role": "assistant" } ]
def x(osa_repo_dir, commit): repo = Repo(osa_repo_dir) checkout(repo, commit) yaml_files = glob.glob('{0}/playbooks/defaults/repo_packages/*.yml'. format(osa_repo_dir)) yaml_parsed = [] for yaml_file in yaml_files: with open(yaml_file, 'r') as f: yaml_parsed.append(yaml.load(f)) merged_dicts = {k: v for d in yaml_parsed for k, v in d.items()} return normalize_yaml(merged_dicts)
get_projects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(osa_repo_dir, commit):\n repo = Repo(osa_repo_dir)\n checkout(repo, commit)\n yaml_files = glob.glob('{0}/playbooks/defaults/repo_packages/*.yml'.\n format(osa_repo_dir))\n yaml_parsed = []\n for yaml_file in yaml_files:\n with open(yaml_file, 'r') as f:\n yaml_parsed.append(yaml.load(f))\n merged_dicts = {k: v for d in yaml_parsed for k, v in d.items()}\n return normalize_yaml(merged_dicts)\n", "role": "user" }, { "content": "get_projects", "role": "assistant" } ]
def x(repo, ref): if ref in repo.branches: log.warn('Removing local branch {b} for repo {r}'.format(b=ref, r=repo) ) repo.head.reset(index=True, working_tree=True) repo.git.checkout(repo.head.commit.hexsha) repo.delete_head(ref, '--force') log.info('Checkout out repo {repo} to ref {ref}'.format(repo=repo, ref=ref) ) repo.head.reset(index=True, working_tree=True) repo.git.checkout(ref) repo.head.reset(index=True, working_tree=True) sha = repo.head.commit.hexsha log.info('Current SHA for repo {repo} is {sha}'.format(repo=repo, sha=sha))
checkout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo, ref):\n if ref in repo.branches:\n log.warn('Removing local branch {b} for repo {r}'.format(b=ref, r=repo)\n )\n repo.head.reset(index=True, working_tree=True)\n repo.git.checkout(repo.head.commit.hexsha)\n repo.delete_head(ref, '--force')\n log.info('Checkout out repo {repo} to ref {ref}'.format(repo=repo, ref=ref)\n )\n repo.head.reset(index=True, working_tree=True)\n repo.git.checkout(ref)\n repo.head.reset(index=True, working_tree=True)\n sha = repo.head.commit.hexsha\n log.info('Current SHA for repo {repo} is {sha}'.format(repo=repo, sha=sha))\n", "role": "user" }, { "content": "checkout", "role": "assistant" } ]
def x(osa_repo_dir, commit, role_requirements): repo = Repo(osa_repo_dir) checkout(repo, commit) log.info('Looking for file {f} in repo {r}'.format(r=osa_repo_dir, f= role_requirements)) filename = '{0}/{1}'.format(osa_repo_dir, role_requirements) with open(filename, 'r') as f: roles_yaml = yaml.load(f) return normalize_yaml(roles_yaml)
get_roles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(osa_repo_dir, commit, role_requirements):\n repo = Repo(osa_repo_dir)\n checkout(repo, commit)\n log.info('Looking for file {f} in repo {r}'.format(r=osa_repo_dir, f=\n role_requirements))\n filename = '{0}/{1}'.format(osa_repo_dir, role_requirements)\n with open(filename, 'r') as f:\n roles_yaml = yaml.load(f)\n return normalize_yaml(roles_yaml)\n", "role": "user" }, { "content": "get_roles", "role": "assistant" } ]
def x(repo_dir, old_commit, new_commit, args): update_repo(repo_dir, args.osa_repo_url, args.update) validate_commits(repo_dir, [old_commit, new_commit]) validate_commit_range(repo_dir, old_commit, new_commit) commits = get_commits(repo_dir, old_commit, new_commit) template_vars = {'args': args, 'repo': 'openstack-ansible', 'commits': commits, 'commit_base_url': get_commit_url(args.osa_repo_url), 'old_sha': old_commit, 'new_sha': new_commit} return render_template('offline-header.j2', template_vars)
make_osa_report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_dir, old_commit, new_commit, args):\n update_repo(repo_dir, args.osa_repo_url, args.update)\n validate_commits(repo_dir, [old_commit, new_commit])\n validate_commit_range(repo_dir, old_commit, new_commit)\n commits = get_commits(repo_dir, old_commit, new_commit)\n template_vars = {'args': args, 'repo': 'openstack-ansible', 'commits':\n commits, 'commit_base_url': get_commit_url(args.osa_repo_url),\n 'old_sha': old_commit, 'new_sha': new_commit}\n return render_template('offline-header.j2', template_vars)\n", "role": "user" }, { "content": "make_osa_report", "role": "assistant" } ]
def x(storage_directory, old_pins, new_pins, do_update=False, version_mappings=None): report = '' version_mappings = version_mappings or {} for new_pin in new_pins: repo_name, repo_url, commit_sha = new_pin commit_sha = version_mappings.get(repo_name, {}).get(commit_sha, commit_sha) repo_dir = '{0}/{1}'.format(storage_directory, repo_name) update_repo(repo_dir, repo_url, do_update) try: commit_sha_old = next(x[2] for x in old_pins if x[0] == repo_name) except Exception: continue else: commit_sha_old = version_mappings.get(repo_name, {}).get( commit_sha_old, commit_sha_old) validate_commits(repo_dir, [commit_sha_old, commit_sha]) commits = get_commits(repo_dir, commit_sha_old, commit_sha) template_vars = {'repo': repo_name, 'commits': commits, 'commit_base_url': get_commit_url(repo_url), 'old_sha': commit_sha_old, 'new_sha': commit_sha} rst = render_template('offline-repo-changes.j2', template_vars) report += rst return report
make_report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(storage_directory, old_pins, new_pins, do_update=False,\n version_mappings=None):\n report = ''\n version_mappings = version_mappings or {}\n for new_pin in new_pins:\n repo_name, repo_url, commit_sha = new_pin\n commit_sha = version_mappings.get(repo_name, {}).get(commit_sha,\n commit_sha)\n repo_dir = '{0}/{1}'.format(storage_directory, repo_name)\n update_repo(repo_dir, repo_url, do_update)\n try:\n commit_sha_old = next(x[2] for x in old_pins if x[0] == repo_name)\n except Exception:\n continue\n else:\n commit_sha_old = version_mappings.get(repo_name, {}).get(\n commit_sha_old, commit_sha_old)\n validate_commits(repo_dir, [commit_sha_old, commit_sha])\n commits = get_commits(repo_dir, commit_sha_old, commit_sha)\n template_vars = {'repo': repo_name, 'commits': commits,\n 'commit_base_url': get_commit_url(repo_url), 'old_sha':\n commit_sha_old, 'new_sha': commit_sha}\n rst = render_template('offline-repo-changes.j2', template_vars)\n report += rst\n return report\n", "role": "user" }, { "content": "make_report", "role": "assistant" } ]
def x(yaml): if isinstance(yaml, list): normalized_yaml = [(x['name'], x['src'], x.get('version', 'HEAD')) for x in yaml] else: projects = [x[:-9] for x in yaml.keys() if x.endswith('git_repo')] normalized_yaml = [] for project in projects: repo_url = yaml['{0}_git_repo'.format(project)] commit_sha = yaml['{0}_git_install_branch'.format(project)] normalized_yaml.append((project, repo_url, commit_sha)) return normalized_yaml
normalize_yaml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yaml):\n if isinstance(yaml, list):\n normalized_yaml = [(x['name'], x['src'], x.get('version', 'HEAD')) for\n x in yaml]\n else:\n projects = [x[:-9] for x in yaml.keys() if x.endswith('git_repo')]\n normalized_yaml = []\n for project in projects:\n repo_url = yaml['{0}_git_repo'.format(project)]\n commit_sha = yaml['{0}_git_install_branch'.format(project)]\n normalized_yaml.append((project, repo_url, commit_sha))\n return normalized_yaml\n", "role": "user" }, { "content": "normalize_yaml", "role": "assistant" } ]
def x(report_data, old_sha, new_sha): payload = {'description': 'Changes in OpenStack-Ansible between {0} and {1}'.format(old_sha, new_sha), 'public': True, 'files': {'osa-diff-{0}-{1}.rst'.format( old_sha, new_sha): {'content': report_data}}} url = 'https://api.github.com/gists' r = requests.post(url, data=json.dumps(payload)) response = r.json() return response['html_url']
post_gist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(report_data, old_sha, new_sha):\n payload = {'description':\n 'Changes in OpenStack-Ansible between {0} and {1}'.format(old_sha,\n new_sha), 'public': True, 'files': {'osa-diff-{0}-{1}.rst'.format(\n old_sha, new_sha): {'content': report_data}}}\n url = 'https://api.github.com/gists'\n r = requests.post(url, data=json.dumps(payload))\n response = r.json()\n return response['html_url']\n", "role": "user" }, { "content": "post_gist", "role": "assistant" } ]
def x(storage_directory): storage_directory = os.path.expanduser(storage_directory) if not os.path.exists(storage_directory): os.mkdir(storage_directory) return storage_directory
prepare_storage_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(storage_directory):\n storage_directory = os.path.expanduser(storage_directory)\n if not os.path.exists(storage_directory):\n os.mkdir(storage_directory)\n return storage_directory\n", "role": "user" }, { "content": "prepare_storage_dir", "role": "assistant" } ]
def x(template_file, template_vars): template_dir = '{0}/templates'.format(os.path.dirname(os.path.abspath( __file__))) jinja_env = jinja2.Environment(loader=jinja2.FileSystemLoader( template_dir), trim_blocks=True) rendered = jinja_env.get_template(template_file).render(template_vars) return rendered
render_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template_file, template_vars):\n template_dir = '{0}/templates'.format(os.path.dirname(os.path.abspath(\n __file__)))\n jinja_env = jinja2.Environment(loader=jinja2.FileSystemLoader(\n template_dir), trim_blocks=True)\n rendered = jinja_env.get_template(template_file).render(template_vars)\n return rendered\n", "role": "user" }, { "content": "render_template", "role": "assistant" } ]
def x(repo_dir, repo_url, fetch=False): repo = Repo(repo_dir) repo.git.clean('-df') repo.git.reset('--hard') repo.git.checkout('master') repo.head.reset(index=True, working_tree=True) refspec_list = ['+refs/heads/*:refs/remotes/origin/*', '+refs/heads/*:refs/heads/*', '+refs/tags/*:refs/tags/*'] if 'github.com' in repo_url: refspec_list.extend(['+refs/pull/*:refs/remotes/origin/pr/*', '+refs/heads/*:refs/remotes/origin/*']) if fetch: repo.git.fetch(['-u', '-v', '-f', repo_url, refspec_list]) return repo
repo_pull
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_dir, repo_url, fetch=False):\n repo = Repo(repo_dir)\n repo.git.clean('-df')\n repo.git.reset('--hard')\n repo.git.checkout('master')\n repo.head.reset(index=True, working_tree=True)\n refspec_list = ['+refs/heads/*:refs/remotes/origin/*',\n '+refs/heads/*:refs/heads/*', '+refs/tags/*:refs/tags/*']\n if 'github.com' in repo_url:\n refspec_list.extend(['+refs/pull/*:refs/remotes/origin/pr/*',\n '+refs/heads/*:refs/remotes/origin/*'])\n if fetch:\n repo.git.fetch(['-u', '-v', '-f', repo_url, refspec_list])\n return repo\n", "role": "user" }, { "content": "repo_pull", "role": "assistant" } ]
def x(repo_dir, repo_url, fetch=False): repo_exists = os.path.exists(repo_dir) if not repo_exists: log.info('Cloning repo {}'.format(repo_url)) repo = repo_clone(repo_dir, repo_url) log.info('Fetching repo {} (fetch: {})'.format(repo_url, fetch)) repo = repo_pull(repo_dir, repo_url, fetch) return repo
update_repo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_dir, repo_url, fetch=False):\n repo_exists = os.path.exists(repo_dir)\n if not repo_exists:\n log.info('Cloning repo {}'.format(repo_url))\n repo = repo_clone(repo_dir, repo_url)\n log.info('Fetching repo {} (fetch: {})'.format(repo_url, fetch))\n repo = repo_pull(repo_dir, repo_url, fetch)\n return repo\n", "role": "user" }, { "content": "update_repo", "role": "assistant" } ]
def x(repo_dir, commits): log.debug('Validating {c} exist in {r}'.format(c=commits, r=repo_dir)) repo = Repo(repo_dir) for commit in commits: try: commit = repo.commit(commit) except Exception: msg = ( 'Commit {commit} could not be found in repo {repo}. You may need to pass --update to fetch the latest updates to the git repositories stored on your local computer.' .format(repo=repo_dir, commit=commit)) raise exceptions.InvalidCommitException(msg) return True
validate_commits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_dir, commits):\n log.debug('Validating {c} exist in {r}'.format(c=commits, r=repo_dir))\n repo = Repo(repo_dir)\n for commit in commits:\n try:\n commit = repo.commit(commit)\n except Exception:\n msg = (\n 'Commit {commit} could not be found in repo {repo}. You may need to pass --update to fetch the latest updates to the git repositories stored on your local computer.'\n .format(repo=repo_dir, commit=commit))\n raise exceptions.InvalidCommitException(msg)\n return True\n", "role": "user" }, { "content": "validate_commits", "role": "assistant" } ]
def x(repo_dir, old_commit, new_commit): try: commits = get_commits(repo_dir, old_commit, new_commit) except Exception: commits = [] if len(commits) == 0: try: commits = get_commits(repo_dir, new_commit, old_commit) except Exception: commits = [] if len(commits) == 0: msg = ( 'The commit range {0}..{1} is invalid for {2}.You may need to use the --update option to fetch the latest updates to the git repositories stored on your local computer.' .format(old_commit, new_commit, repo_dir)) raise exceptions.InvalidCommitRangeException(msg) else: return 'flip' return True
validate_commit_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_dir, old_commit, new_commit):\n try:\n commits = get_commits(repo_dir, old_commit, new_commit)\n except Exception:\n commits = []\n if len(commits) == 0:\n try:\n commits = get_commits(repo_dir, new_commit, old_commit)\n except Exception:\n commits = []\n if len(commits) == 0:\n msg = (\n 'The commit range {0}..{1} is invalid for {2}.You may need to use the --update option to fetch the latest updates to the git repositories stored on your local computer.'\n .format(old_commit, new_commit, repo_dir))\n raise exceptions.InvalidCommitRangeException(msg)\n else:\n return 'flip'\n return True\n", "role": "user" }, { "content": "validate_commit_range", "role": "assistant" } ]
def x(osa_repo_dir, osa_old_commit, osa_new_commit): repo = Repo(osa_repo_dir) tags = repo.git.tag().split('\n') tags = sorted(tags, key=LooseVersion) tags = _fix_tags_list(tags) checkout(repo, osa_old_commit) old_tag = repo.git.describe() if '-' in old_tag: old_tag = old_tag[0:old_tag.index('-')] checkout(repo, osa_new_commit) new_tag = repo.git.describe() if '-' in new_tag: nearest_new_tag = new_tag[0:new_tag.index('-')] else: nearest_new_tag = new_tag tags = tags[tags.index(old_tag):tags.index(nearest_new_tag)] release_notes = '' repo.git.checkout(osa_new_commit, '-f') reno_report_command = ['reno', 'report', '--earliest-version', nearest_new_tag] reno_report_p = subprocess.Popen(reno_report_command, cwd=osa_repo_dir, stdout=subprocess.PIPE, stderr=subprocess.PIPE) reno_output = reno_report_p.communicate()[0].decode('UTF-8') release_notes += reno_output for version in reversed(tags): repo.git.checkout(version, '-f') reno_report_command = ['reno', 'report', '--branch', version, '--earliest-version', version] reno_report_p = subprocess.Popen(reno_report_command, cwd= osa_repo_dir, stdout=subprocess.PIPE, stderr=subprocess.PIPE) reno_output = reno_report_p.communicate()[0].decode('UTF-8') if version in reno_output: release_notes += reno_output release_notes = release_notes.replace( '=============\nRelease Notes\n=============', '') release_notes = re.sub('===+', _equal_to_tilde, release_notes) release_notes = re.sub('---+', _dash_to_num, release_notes) return release_notes
get_release_notes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(osa_repo_dir, osa_old_commit, osa_new_commit):\n repo = Repo(osa_repo_dir)\n tags = repo.git.tag().split('\\n')\n tags = sorted(tags, key=LooseVersion)\n tags = _fix_tags_list(tags)\n checkout(repo, osa_old_commit)\n old_tag = repo.git.describe()\n if '-' in old_tag:\n old_tag = old_tag[0:old_tag.index('-')]\n checkout(repo, osa_new_commit)\n new_tag = repo.git.describe()\n if '-' in new_tag:\n nearest_new_tag = new_tag[0:new_tag.index('-')]\n else:\n nearest_new_tag = new_tag\n tags = tags[tags.index(old_tag):tags.index(nearest_new_tag)]\n release_notes = ''\n repo.git.checkout(osa_new_commit, '-f')\n reno_report_command = ['reno', 'report', '--earliest-version',\n nearest_new_tag]\n reno_report_p = subprocess.Popen(reno_report_command, cwd=osa_repo_dir,\n stdout=subprocess.PIPE, stderr=subprocess.PIPE)\n reno_output = reno_report_p.communicate()[0].decode('UTF-8')\n release_notes += reno_output\n for version in reversed(tags):\n repo.git.checkout(version, '-f')\n reno_report_command = ['reno', 'report', '--branch', version,\n '--earliest-version', version]\n reno_report_p = subprocess.Popen(reno_report_command, cwd=\n osa_repo_dir, stdout=subprocess.PIPE, stderr=subprocess.PIPE)\n reno_output = reno_report_p.communicate()[0].decode('UTF-8')\n if version in reno_output:\n release_notes += reno_output\n release_notes = release_notes.replace(\n '=============\\nRelease Notes\\n=============', '')\n release_notes = re.sub('===+', _equal_to_tilde, release_notes)\n release_notes = re.sub('---+', _dash_to_num, release_notes)\n return release_notes\n", "role": "user" }, { "content": "get_release_notes", "role": "assistant" } ]
def x(): args = parse_arguments() if args.debug: log.setLevel(logging.DEBUG) elif args.verbose: log.setLevel(logging.INFO) try: storage_directory = prepare_storage_dir(args.directory) except OSError: print( "ERROR: Couldn't create the storage directory {0}. Please create it manually." .format(args.directory)) sys.exit(1) osa_old_commit = args.old_commit[0] osa_new_commit = args.new_commit[0] osa_repo_dir = '{0}/openstack-ansible'.format(storage_directory) report_rst = make_osa_report(osa_repo_dir, osa_old_commit, osa_new_commit, args) if args.release_notes: report_rst += '\nRelease Notes\n-------------' report_rst += get_release_notes(osa_repo_dir, osa_old_commit, osa_new_commit) role_yaml = get_roles(osa_repo_dir, osa_old_commit, args.role_requirements) role_yaml_latest = get_roles(osa_repo_dir, osa_new_commit, args. role_requirements) if not args.skip_roles: report_rst += '\nOpenStack-Ansible Roles\n-----------------------' report_rst += make_report(storage_directory, role_yaml, role_yaml_latest, args.update, args.version_mappings) if not args.skip_projects: project_yaml = get_projects(osa_repo_dir, osa_old_commit) project_yaml_latest = get_projects(osa_repo_dir, osa_new_commit) report_rst += '\nOpenStack Projects\n------------------' report_rst += make_report(storage_directory, project_yaml, project_yaml_latest, args.update) output = publish_report(report_rst, args, osa_old_commit, osa_new_commit) print(output)
run_osa_differ
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n args = parse_arguments()\n if args.debug:\n log.setLevel(logging.DEBUG)\n elif args.verbose:\n log.setLevel(logging.INFO)\n try:\n storage_directory = prepare_storage_dir(args.directory)\n except OSError:\n print(\n \"ERROR: Couldn't create the storage directory {0}. Please create it manually.\"\n .format(args.directory))\n sys.exit(1)\n osa_old_commit = args.old_commit[0]\n osa_new_commit = args.new_commit[0]\n osa_repo_dir = '{0}/openstack-ansible'.format(storage_directory)\n report_rst = make_osa_report(osa_repo_dir, osa_old_commit,\n osa_new_commit, args)\n if args.release_notes:\n report_rst += '\\nRelease Notes\\n-------------'\n report_rst += get_release_notes(osa_repo_dir, osa_old_commit,\n osa_new_commit)\n role_yaml = get_roles(osa_repo_dir, osa_old_commit, args.role_requirements)\n role_yaml_latest = get_roles(osa_repo_dir, osa_new_commit, args.\n role_requirements)\n if not args.skip_roles:\n report_rst += '\\nOpenStack-Ansible Roles\\n-----------------------'\n report_rst += make_report(storage_directory, role_yaml,\n role_yaml_latest, args.update, args.version_mappings)\n if not args.skip_projects:\n project_yaml = get_projects(osa_repo_dir, osa_old_commit)\n project_yaml_latest = get_projects(osa_repo_dir, osa_new_commit)\n report_rst += '\\nOpenStack Projects\\n------------------'\n report_rst += make_report(storage_directory, project_yaml,\n project_yaml_latest, args.update)\n output = publish_report(report_rst, args, osa_old_commit, osa_new_commit)\n print(output)\n", "role": "user" }, { "content": "run_osa_differ", "role": "assistant" } ]
def x(destination, text, join_str=None): if join_str is None: join_str = ' ' if len(destination) > 0: last = destination[-1] if last.tail is None: last.tail = text else: last.tail = join_str.join([last.tail, text]) elif destination.text is None: destination.text = text else: destination.text = join_str.join([destination.text, text])
append_new_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(destination, text, join_str=None):\n if join_str is None:\n join_str = ' '\n if len(destination) > 0:\n last = destination[-1]\n if last.tail is None:\n last.tail = text\n else:\n last.tail = join_str.join([last.tail, text])\n elif destination.text is None:\n destination.text = text\n else:\n destination.text = join_str.join([destination.text, text])\n", "role": "user" }, { "content": "append_new_text", "role": "assistant" } ]
def x(destination, source, join_str=None): if join_str is None: join_str = ' ' if source.text is not None: if len(destination) == 0: if destination.text is None: destination.text = source.text else: destination.text = join_str.join([destination.text, source. text]) else: last = destination[-1] if last.tail is None: last.tail = source.text else: last.tail = join_str.join([last.tail, source.text]) for each_child in source: destination.append(deepcopy(each_child))
append_all_below
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(destination, source, join_str=None):\n if join_str is None:\n join_str = ' '\n if source.text is not None:\n if len(destination) == 0:\n if destination.text is None:\n destination.text = source.text\n else:\n destination.text = join_str.join([destination.text, source.\n text])\n else:\n last = destination[-1]\n if last.tail is None:\n last.tail = source.text\n else:\n last.tail = join_str.join([last.tail, source.text])\n for each_child in source:\n destination.append(deepcopy(each_child))\n", "role": "user" }, { "content": "append_all_below", "role": "assistant" } ]
def x(element): if element.text is None: text = [] else: text = [element.text] tails = [child.tail for child in element if child.tail is not None] tails = [tail.strip() for tail in tails if tail.strip()] return ' '.join(text + tails)
all_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element):\n if element.text is None:\n text = []\n else:\n text = [element.text]\n tails = [child.tail for child in element if child.tail is not None]\n tails = [tail.strip() for tail in tails if tail.strip()]\n return ' '.join(text + tails)\n", "role": "user" }, { "content": "all_text", "role": "assistant" } ]
def x(element, exclude=None): if exclude is None: exclude = [] for k in element.attrib.keys(): if k not in exclude: element.attrib.pop(k)
remove_all_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element, exclude=None):\n if exclude is None:\n exclude = []\n for k in element.attrib.keys():\n if k not in exclude:\n element.attrib.pop(k)\n", "role": "user" }, { "content": "remove_all_attributes", "role": "assistant" } ]
def x(element, namespaced_string): if ':' not in namespaced_string: print('This name contains no namespace, returning it unmodified: ' + namespaced_string) return namespaced_string namespace, name = namespaced_string.split(':') return '{' + element.nsmap[namespace] + '}' + name
ns_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element, namespaced_string):\n if ':' not in namespaced_string:\n print('This name contains no namespace, returning it unmodified: ' +\n namespaced_string)\n return namespaced_string\n namespace, name = namespaced_string.split(':')\n return '{' + element.nsmap[namespace] + '}' + name\n", "role": "user" }, { "content": "ns_format", "role": "assistant" } ]
def x(element, attrs): for name in attrs.keys(): if name not in element.attrib: continue else: element.attrib[attrs[name]] = element.attrib.pop(name)
rename_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element, attrs):\n for name in attrs.keys():\n if name not in element.attrib:\n continue\n else:\n element.attrib[attrs[name]] = element.attrib.pop(name)\n", "role": "user" }, { "content": "rename_attributes", "role": "assistant" } ]
def x(node, adopt_name=None, adopt_attrs=None): parent = node.getparent() grandparent = parent.getparent() child_index = parent.index(node) parent_index = grandparent.index(parent) siblings = list(parent)[child_index + 1:] grandparent.insert(parent_index + 1, node) if len(siblings) > 0 or node.tail is not None: if adopt_name is None: adopt = etree.Element(parent.tag) else: adopt = etree.Element(adopt_name) if adopt_attrs is None: for key in parent.attrib.keys(): adopt.attrib[key] = parent.attrib[key] else: for key in adopt_attrs.keys(): adopt.attrib[key] = adopt_attrs[key] grandparent.insert(grandparent.index(node) + 1, adopt) for sibling in siblings: adopt.append(sibling) if node.tail is not None: adopt.text = node.tail node.tail = None
elevate_element
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, adopt_name=None, adopt_attrs=None):\n parent = node.getparent()\n grandparent = parent.getparent()\n child_index = parent.index(node)\n parent_index = grandparent.index(parent)\n siblings = list(parent)[child_index + 1:]\n grandparent.insert(parent_index + 1, node)\n if len(siblings) > 0 or node.tail is not None:\n if adopt_name is None:\n adopt = etree.Element(parent.tag)\n else:\n adopt = etree.Element(adopt_name)\n if adopt_attrs is None:\n for key in parent.attrib.keys():\n adopt.attrib[key] = parent.attrib[key]\n else:\n for key in adopt_attrs.keys():\n adopt.attrib[key] = adopt_attrs[key]\n grandparent.insert(grandparent.index(node) + 1, adopt)\n for sibling in siblings:\n adopt.append(sibling)\n if node.tail is not None:\n adopt.text = node.tail\n node.tail = None\n", "role": "user" }, { "content": "elevate_element", "role": "assistant" } ]
def x(old, new): parent = old.getparent() parent.replace(old, new)
replace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old, new):\n parent = old.getparent()\n parent.replace(old, new)\n", "role": "user" }, { "content": "replace", "role": "assistant" } ]
def x(old, new): parent = old.getparent() parent.insert(parent.index(old), new)
insert_before
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old, new):\n parent = old.getparent()\n parent.insert(parent.index(old), new)\n", "role": "user" }, { "content": "insert_before", "role": "assistant" } ]
def x(node): parent = node.parentNode comment = node.ownerDocument.createComment(node.toxml()) parent.replaceChild(comment, node) return comment
comment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n parent = node.parentNode\n comment = node.ownerDocument.createComment(node.toxml())\n parent.replaceChild(comment, node)\n return comment\n", "role": "user" }, { "content": "comment", "role": "assistant" } ]
def x(comment): parent = comment.parentNode h = html.parser.HTMLParser() data = h.unescape(comment.data) try: node = minidom.parseString(data).firstChild except xml.parsers.expat.ExpatError: log.error('Could not uncomment node due to parsing error!') return None else: parent.replaceChild(node, comment) return node
uncomment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(comment):\n parent = comment.parentNode\n h = html.parser.HTMLParser()\n data = h.unescape(comment.data)\n try:\n node = minidom.parseString(data).firstChild\n except xml.parsers.expat.ExpatError:\n log.error('Could not uncomment node due to parsing error!')\n return None\n else:\n parent.replaceChild(node, comment)\n return node\n", "role": "user" }, { "content": "uncomment", "role": "assistant" } ]
def x(element, strip=False): text = etree.tostring(element, method='text', encoding='utf-8') if strip: text = text.strip() return str(text, encoding='utf-8')
serialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element, strip=False):\n text = etree.tostring(element, method='text', encoding='utf-8')\n if strip:\n text = text.strip()\n return str(text, encoding='utf-8')\n", "role": "user" }, { "content": "serialize", "role": "assistant" } ]
def x(): objParser = argparse.ArgumentParser() objParser.add_argument('-config', required=True, metavar= '/path/to/config.csv', help= 'Absolute file path of config file with parameters for pRF analysis. Ignored if in testing mode.' ) objParser.add_argument('-strPthPrior', required=True, metavar= '/path/to/my_prior_res', help= 'Absolute file path of prior pRF results. Ignored if in testing mode.' ) objParser.add_argument('-varNumOpt1', required=True, type=int, metavar= 'N1', help='Number of radial positions.') objParser.add_argument('-varNumOpt2', required=True, type=int, metavar= 'N2', help='Number of angular positions.') objParser.add_argument('-varNumOpt3', default=None, metavar='N3', help= 'Max displacement in radial direction.') objParser.add_argument('-lgcRstrCentre', dest='lgcRstrCentre', action= 'store_true', default=False, help= 'Restrict fitted models to stimulated area.') objParser.add_argument('-strPathHrf', default=None, required=False, metavar='/path/to/custom_hrf_parameter.npy', help= 'Path to npy file with custom hrf parameters. Ignored if in testing mode.' ) objParser.add_argument('-supsur', nargs='+', help= 'List of floats that represent the ratio of size neg surround to size pos center.' , type=float, default=None) objNspc = objParser.parse_args() return objNspc
get_arg_parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n objParser = argparse.ArgumentParser()\n objParser.add_argument('-config', required=True, metavar=\n '/path/to/config.csv', help=\n 'Absolute file path of config file with parameters for pRF analysis. Ignored if in testing mode.'\n )\n objParser.add_argument('-strPthPrior', required=True, metavar=\n '/path/to/my_prior_res', help=\n 'Absolute file path of prior pRF results. Ignored if in testing mode.'\n )\n objParser.add_argument('-varNumOpt1', required=True, type=int, metavar=\n 'N1', help='Number of radial positions.')\n objParser.add_argument('-varNumOpt2', required=True, type=int, metavar=\n 'N2', help='Number of angular positions.')\n objParser.add_argument('-varNumOpt3', default=None, metavar='N3', help=\n 'Max displacement in radial direction.')\n objParser.add_argument('-lgcRstrCentre', dest='lgcRstrCentre', action=\n 'store_true', default=False, help=\n 'Restrict fitted models to stimulated area.')\n objParser.add_argument('-strPathHrf', default=None, required=False,\n metavar='/path/to/custom_hrf_parameter.npy', help=\n 'Path to npy file with custom hrf parameters. Ignored if in testing mode.'\n )\n objParser.add_argument('-supsur', nargs='+', help=\n 'List of floats that represent the ratio of size neg surround to size pos center.'\n , type=float, default=None)\n objNspc = objParser.parse_args()\n return objNspc\n", "role": "user" }, { "content": "get_arg_parse", "role": "assistant" } ]
def x(): strWelcome = 'pyprf_opt_brute ' + __version__ strDec = '=' * len(strWelcome) print(strDec + '\n' + strWelcome + '\n' + strDec) objNspc = get_arg_parse() if any(item is None for item in [objNspc.config, objNspc.strPthPrior, objNspc.varNumOpt1, objNspc.varNumOpt2]): print('Please provide the necessary input arguments, i.e.:') print('-strCsvCnfg -strPthPrior -varNumOpt1 and -varNumOpt2') else: lgcTest = False if objNspc.supsur is None: print('***Mode: Fit pRF models, no suppressive surround***') pyprf_opt_brute(objNspc.config, objNspc, lgcTest=lgcTest, strPathHrf=objNspc.strPathHrf, varRat=None) else: print('***Mode: Fit pRF models, suppressive surround***') dicCnfg = load_config(objNspc.config, lgcTest=lgcTest, lgcPrint =False) cfg = cls_set_config(dicCnfg) errorMsg = 'lgcCrteMdl needs to be set to True for -supsur.' assert cfg.lgcCrteMdl, errorMsg errorMsg = 'switchHrfSet needs to be set to 1 for -supsur.' assert cfg.switchHrfSet == 1, errorMsg lstRat = objNspc.supsur errorMsg = 'All provided ratios need to be larger than 1.0' assert np.all(np.greater(np.array(lstRat), 1.0)), errorMsg lstRat.insert(0, None) for varRat in lstRat: print('---Ratio surround to center: ' + str(varRat)) pyprf_opt_brute(objNspc.config, objNspc, lgcTest=lgcTest, strPathHrf=objNspc.strPathHrf, varRat=varRat) lstNiiNames = ['_x_pos', '_y_pos', '_SD', '_R2', '_polar_angle', '_eccentricity', '_Betas'] lstRat[0] = 1.0 if objNspc.strPathHrf is not None: cfg.strPathOut = cfg.strPathOut + '_hrf' cmp_res_R2(lstRat, lstNiiNames, cfg.strPathOut, cfg.strPathMdl, lgcDel=True, lgcSveMdlTc=False, strNmeExt='_brute')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n strWelcome = 'pyprf_opt_brute ' + __version__\n strDec = '=' * len(strWelcome)\n print(strDec + '\\n' + strWelcome + '\\n' + strDec)\n objNspc = get_arg_parse()\n if any(item is None for item in [objNspc.config, objNspc.strPthPrior,\n objNspc.varNumOpt1, objNspc.varNumOpt2]):\n print('Please provide the necessary input arguments, i.e.:')\n print('-strCsvCnfg -strPthPrior -varNumOpt1 and -varNumOpt2')\n else:\n lgcTest = False\n if objNspc.supsur is None:\n print('***Mode: Fit pRF models, no suppressive surround***')\n pyprf_opt_brute(objNspc.config, objNspc, lgcTest=lgcTest,\n strPathHrf=objNspc.strPathHrf, varRat=None)\n else:\n print('***Mode: Fit pRF models, suppressive surround***')\n dicCnfg = load_config(objNspc.config, lgcTest=lgcTest, lgcPrint\n =False)\n cfg = cls_set_config(dicCnfg)\n errorMsg = 'lgcCrteMdl needs to be set to True for -supsur.'\n assert cfg.lgcCrteMdl, errorMsg\n errorMsg = 'switchHrfSet needs to be set to 1 for -supsur.'\n assert cfg.switchHrfSet == 1, errorMsg\n lstRat = objNspc.supsur\n errorMsg = 'All provided ratios need to be larger than 1.0'\n assert np.all(np.greater(np.array(lstRat), 1.0)), errorMsg\n lstRat.insert(0, None)\n for varRat in lstRat:\n print('---Ratio surround to center: ' + str(varRat))\n pyprf_opt_brute(objNspc.config, objNspc, lgcTest=lgcTest,\n strPathHrf=objNspc.strPathHrf, varRat=varRat)\n lstNiiNames = ['_x_pos', '_y_pos', '_SD', '_R2', '_polar_angle',\n '_eccentricity', '_Betas']\n lstRat[0] = 1.0\n if objNspc.strPathHrf is not None:\n cfg.strPathOut = cfg.strPathOut + '_hrf'\n cmp_res_R2(lstRat, lstNiiNames, cfg.strPathOut, cfg.strPathMdl,\n lgcDel=True, lgcSveMdlTc=False, strNmeExt='_brute')\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(dfilter): if isinstance(dfilter, tuple) and len(dfilter) == 1: dfilter = dfilter[0], None if dfilter is None or dfilter == (None, None) or dfilter == (None,): dfilter = None, None elif isinstance(dfilter, dict): dfilter = dfilter, None elif isinstance(dfilter, (list, str)) or isinstance(dfilter, int ) and not isinstance(dfilter, bool): dfilter = None, dfilter if isinstance(dfilter, list) else [dfilter] elif isinstance(dfilter[0], dict) or dfilter[0] is None and not isinstance( dfilter[1], dict): pass else: dfilter = dfilter[1], dfilter[0] return dfilter
homogenize_data_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dfilter):\n if isinstance(dfilter, tuple) and len(dfilter) == 1:\n dfilter = dfilter[0], None\n if dfilter is None or dfilter == (None, None) or dfilter == (None,):\n dfilter = None, None\n elif isinstance(dfilter, dict):\n dfilter = dfilter, None\n elif isinstance(dfilter, (list, str)) or isinstance(dfilter, int\n ) and not isinstance(dfilter, bool):\n dfilter = None, dfilter if isinstance(dfilter, list) else [dfilter]\n elif isinstance(dfilter[0], dict) or dfilter[0] is None and not isinstance(\n dfilter[1], dict):\n pass\n else:\n dfilter = dfilter[1], dfilter[0]\n return dfilter\n", "role": "user" }, { "content": "homogenize_data_filter", "role": "assistant" } ]
def x(obj): if 'inf' in obj.lower().strip(): return obj try: return int(obj) except ValueError: try: return float(obj) except ValueError: return obj
tofloat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if 'inf' in obj.lower().strip():\n return obj\n try:\n return int(obj)\n except ValueError:\n try:\n return float(obj)\n except ValueError:\n return obj\n", "role": "user" }, { "content": "tofloat", "role": "assistant" } ]
def x(self, col): if not self._has_header: icol_ex = pexdoc.exh.addex(RuntimeError, 'Invalid column specification' ) hnf_ex = pexdoc.exh.addex(ValueError, 'Column *[column_identifier]* not found') col_list = [col] if isinstance(col, (str, int)) else col for col in col_list: edata = {'field': 'column_identifier', 'value': col} if not self._has_header: icol_ex(not isinstance(col, int)) hnf_ex(col < 0 or col > len(self._header) - 1, edata) else: hnf_ex(isinstance(col, int) and (col < 0 or col > self. _data_cols) or isinstance(col, str) and col.upper() not in self._header_upper, edata) return col_list
in_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, col):\n if not self._has_header:\n icol_ex = pexdoc.exh.addex(RuntimeError, 'Invalid column specification'\n )\n hnf_ex = pexdoc.exh.addex(ValueError,\n 'Column *[column_identifier]* not found')\n col_list = [col] if isinstance(col, (str, int)) else col\n for col in col_list:\n edata = {'field': 'column_identifier', 'value': col}\n if not self._has_header:\n icol_ex(not isinstance(col, int))\n hnf_ex(col < 0 or col > len(self._header) - 1, edata)\n else:\n hnf_ex(isinstance(col, int) and (col < 0 or col > self.\n _data_cols) or isinstance(col, str) and col.upper() not in\n self._header_upper, edata)\n return col_list\n", "role": "user" }, { "content": "in_header", "role": "assistant" } ]
def x(self, frow): is_int = isinstance(frow, int) and not isinstance(frow, bool) pexdoc.exh.addai('frow', not (is_int and frow >= 0)) return frow
validate_frow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frow):\n is_int = isinstance(frow, int) and not isinstance(frow, bool)\n pexdoc.exh.addai('frow', not (is_int and frow >= 0))\n return frow\n", "role": "user" }, { "content": "validate_frow", "role": "assistant" } ]
def x(self, rfilter, letter='d'): if letter == 'd': pexdoc.exh.addai('dfilter', not self._has_header and any([(not isinstance(item, int)) for item in rfilter.keys()])) else: pexdoc.exh.addai('rfilter', not self._has_header and any([(not isinstance(item, int)) for item in rfilter.keys()])) for key in rfilter: self._in_header(key) rfilter[key] = [rfilter[key]] if isinstance(rfilter[key], str ) else rfilter[key]
validate_rfilter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rfilter, letter='d'):\n if letter == 'd':\n pexdoc.exh.addai('dfilter', not self._has_header and any([(not\n isinstance(item, int)) for item in rfilter.keys()]))\n else:\n pexdoc.exh.addai('rfilter', not self._has_header and any([(not\n isinstance(item, int)) for item in rfilter.keys()]))\n for key in rfilter:\n self._in_header(key)\n rfilter[key] = [rfilter[key]] if isinstance(rfilter[key], str\n ) else rfilter[key]\n", "role": "user" }, { "content": "validate_rfilter", "role": "assistant" } ]
def x(self, filtered=False, no_empty=False): return self._apply_filter(filtered, no_empty)
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filtered=False, no_empty=False):\n return self._apply_filter(filtered, no_empty)\n", "role": "user" }, { "content": "data", "role": "assistant" } ]
def x(self, order): order = order if isinstance(order, list) else [order] norder = [({item: 'A'} if not isinstance(item, dict) else item) for item in order] self._in_header([list(item.keys())[0] for item in norder]) clist = [] for nitem in norder: for key, value in nitem.items(): clist.append((key if isinstance(key, int) else self. _header_upper.index(key.upper()), value.upper() == 'D')) for cindex, rvalue in reversed(clist): fpointer = operator.itemgetter(cindex) self._data.sort(key=fpointer, reverse=rvalue)
dsort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order):\n order = order if isinstance(order, list) else [order]\n norder = [({item: 'A'} if not isinstance(item, dict) else item) for\n item in order]\n self._in_header([list(item.keys())[0] for item in norder])\n clist = []\n for nitem in norder:\n for key, value in nitem.items():\n clist.append((key if isinstance(key, int) else self.\n _header_upper.index(key.upper()), value.upper() == 'D'))\n for cindex, rvalue in reversed(clist):\n fpointer = operator.itemgetter(cindex)\n self._data.sort(key=fpointer, reverse=rvalue)\n", "role": "user" }, { "content": "dsort", "role": "assistant" } ]
def x(self, filtered=False): return (self._header if not filtered or filtered and self._cfilter is None else self._cfilter)
header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filtered=False):\n return (self._header if not filtered or filtered and self._cfilter is\n None else self._cfilter)\n", "role": "user" }, { "content": "header", "role": "assistant" } ]
def x(self, rdata, filtered=False): rdata_ex = pexdoc.exh.addai('rdata') rows_ex = pexdoc.exh.addex(ValueError, 'Number of rows mismatch between input and replacement data') cols_ex = pexdoc.exh.addex(ValueError, 'Number of columns mismatch between input and replacement data') rdata_ex(any([(len(item) != len(rdata[0])) for item in rdata])) cfilter = self._cfilter if filtered in [True, 'B', 'b', 'C', 'c' ] else self._header col_num = len(self._data[0]) - 1 odata = self._apply_filter(filtered) cfilter = self._cfilter if filtered in [True, 'B', 'b', 'C', 'c' ] else self._header col_index = [(self._header_upper.index(col_id.upper()) if isinstance( col_id, str) else col_id) for col_id in cfilter] rows_ex(len(odata) != len(rdata)) cols_ex(len(odata[0]) != len(rdata[0])) df_tuples = self._format_rfilter(self._rfilter) rnum = 0 for row in self._data: if not filtered or filtered and all([(row[col_num] in col_value) for col_num, col_value in df_tuples]): for col_num, new_data in zip(col_index, rdata[rnum]): row[col_num] = new_data rnum = rnum + 1
replace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rdata, filtered=False):\n rdata_ex = pexdoc.exh.addai('rdata')\n rows_ex = pexdoc.exh.addex(ValueError,\n 'Number of rows mismatch between input and replacement data')\n cols_ex = pexdoc.exh.addex(ValueError,\n 'Number of columns mismatch between input and replacement data')\n rdata_ex(any([(len(item) != len(rdata[0])) for item in rdata]))\n cfilter = self._cfilter if filtered in [True, 'B', 'b', 'C', 'c'\n ] else self._header\n col_num = len(self._data[0]) - 1\n odata = self._apply_filter(filtered)\n cfilter = self._cfilter if filtered in [True, 'B', 'b', 'C', 'c'\n ] else self._header\n col_index = [(self._header_upper.index(col_id.upper()) if isinstance(\n col_id, str) else col_id) for col_id in cfilter]\n rows_ex(len(odata) != len(rdata))\n cols_ex(len(odata[0]) != len(rdata[0]))\n df_tuples = self._format_rfilter(self._rfilter)\n rnum = 0\n for row in self._data:\n if not filtered or filtered and all([(row[col_num] in col_value) for\n col_num, col_value in df_tuples]):\n for col_num, new_data in zip(col_index, rdata[rnum]):\n row[col_num] = new_data\n rnum = rnum + 1\n", "role": "user" }, { "content": "replace", "role": "assistant" } ]
def x(self, fname=None, filtered=False, header=True, append=False): write_ex = pexdoc.exh.addex(ValueError, 'There is no data to save to file') fname = self._fname if fname is None else fname data = self.data(filtered=filtered) write_ex(len(data) == 0 or len(data) == 1 and len(data[0]) == 0) if header: header = [header] if isinstance(header, str) else header cfilter = self._gen_col_index(filtered=filtered) filtered_header = [self._header[item] for item in cfilter ] if self._has_header else cfilter file_header = filtered_header if isinstance(header, bool) else header data = [[("''" if item is None else item) for item in row] for row in data] _write_int(fname, [file_header] + data if header else data, append=append)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fname=None, filtered=False, header=True, append=False):\n write_ex = pexdoc.exh.addex(ValueError, 'There is no data to save to file')\n fname = self._fname if fname is None else fname\n data = self.data(filtered=filtered)\n write_ex(len(data) == 0 or len(data) == 1 and len(data[0]) == 0)\n if header:\n header = [header] if isinstance(header, str) else header\n cfilter = self._gen_col_index(filtered=filtered)\n filtered_header = [self._header[item] for item in cfilter\n ] if self._has_header else cfilter\n file_header = filtered_header if isinstance(header, bool) else header\n data = [[(\"''\" if item is None else item) for item in row] for row in data]\n _write_int(fname, [file_header] + data if header else data, append=append)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, CorpNum, cashbill, Memo, UserID=None): if cashbill == None: raise PopbillException(-99999999, 'ν˜„κΈˆμ˜μˆ˜μ¦ 정보가 μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') postData = '' if Memo != None or Memo != '': cashbill.memo = Memo postData = self._stringtify(cashbill) return self._httppost('/Cashbill', postData, CorpNum, UserID, 'ISSUE')
registIssue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, cashbill, Memo, UserID=None):\n if cashbill == None:\n raise PopbillException(-99999999, 'ν˜„κΈˆμ˜μˆ˜μ¦ 정보가 μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n postData = ''\n if Memo != None or Memo != '':\n cashbill.memo = Memo\n postData = self._stringtify(cashbill)\n return self._httppost('/Cashbill', postData, CorpNum, UserID, 'ISSUE')\n", "role": "user" }, { "content": "registIssue", "role": "assistant" } ]
def x(self, CorpNum, cashbill, UserID=None): if cashbill == None: raise PopbillException(-99999999, 'ν˜„κΈˆμ˜μˆ˜μ¦ 정보가 μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') postData = self._stringtify(cashbill) return self._httppost('/Cashbill', postData, CorpNum, UserID)
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, cashbill, UserID=None):\n if cashbill == None:\n raise PopbillException(-99999999, 'ν˜„κΈˆμ˜μˆ˜μ¦ 정보가 μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n postData = self._stringtify(cashbill)\n return self._httppost('/Cashbill', postData, CorpNum, UserID)\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(self, CorpNum, mgtKey, orgConfirmNum, orgTradeDate, smssendYN=False, memo=None, UserID=None, isPartCancel=False, cancelType=None, supplyCost =None, tax=None, serviceFee=None, totalAmount=None): postData = self._stringtify({'mgtKey': mgtKey, 'orgConfirmNum': orgConfirmNum, 'orgTradeDate': orgTradeDate, 'smssendYN': smssendYN, 'memo': memo, 'isPartCancel': isPartCancel, 'cancelType': cancelType, 'supplyCost': supplyCost, 'tax': tax, 'serviceFee': serviceFee, 'totalAmount': totalAmount}) return self._httppost('/Cashbill', postData, CorpNum, UserID, 'REVOKEISSUE' )
revokeRegistIssue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, mgtKey, orgConfirmNum, orgTradeDate, smssendYN=False,\n memo=None, UserID=None, isPartCancel=False, cancelType=None, supplyCost\n =None, tax=None, serviceFee=None, totalAmount=None):\n postData = self._stringtify({'mgtKey': mgtKey, 'orgConfirmNum':\n orgConfirmNum, 'orgTradeDate': orgTradeDate, 'smssendYN': smssendYN,\n 'memo': memo, 'isPartCancel': isPartCancel, 'cancelType':\n cancelType, 'supplyCost': supplyCost, 'tax': tax, 'serviceFee':\n serviceFee, 'totalAmount': totalAmount})\n return self._httppost('/Cashbill', postData, CorpNum, UserID, 'REVOKEISSUE'\n )\n", "role": "user" }, { "content": "revokeRegistIssue", "role": "assistant" } ]
def x(self, CorpNum, MgtKey, cashbill, UserID=None): if MgtKey == None or MgtKey == '': raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') if cashbill == None: raise PopbillException(-99999999, 'ν˜„κΈˆμ˜μˆ˜μ¦ 정보가 μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') postData = self._stringtify(cashbill) return self._httppost('/Cashbill/' + MgtKey, postData, CorpNum, UserID, 'PATCH')
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, MgtKey, cashbill, UserID=None):\n if MgtKey == None or MgtKey == '':\n raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n if cashbill == None:\n raise PopbillException(-99999999, 'ν˜„κΈˆμ˜μˆ˜μ¦ 정보가 μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n postData = self._stringtify(cashbill)\n return self._httppost('/Cashbill/' + MgtKey, postData, CorpNum, UserID,\n 'PATCH')\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, CorpNum, MgtKey, Memo=None, UserID=None): if MgtKey == None or MgtKey == '': raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') postData = '' req = {} if Memo != None or Memo != '': req['memo'] = Memo postData = self._stringtify(req) return self._httppost('/Cashbill/' + MgtKey, postData, CorpNum, UserID, 'ISSUE')
issue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, MgtKey, Memo=None, UserID=None):\n if MgtKey == None or MgtKey == '':\n raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n postData = ''\n req = {}\n if Memo != None or Memo != '':\n req['memo'] = Memo\n postData = self._stringtify(req)\n return self._httppost('/Cashbill/' + MgtKey, postData, CorpNum, UserID,\n 'ISSUE')\n", "role": "user" }, { "content": "issue", "role": "assistant" } ]
def x(self, CorpNum, MgtKey, UserID=None): if MgtKey == None or MgtKey == '': raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') return self._httppost('/Cashbill/' + MgtKey, '', CorpNum, UserID, 'DELETE')
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, MgtKey, UserID=None):\n if MgtKey == None or MgtKey == '':\n raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n return self._httppost('/Cashbill/' + MgtKey, '', CorpNum, UserID, 'DELETE')\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, CorpNum, DType, SDate, EDate, State, TradeType, TradeUsage, TaxationType, Page, PerPage, Order, UserID=None, QString=None, TradeOpt =None): if DType == None or DType == '': raise PopbillException(-99999999, 'μΌμžμœ ν˜•μ΄ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') if SDate == None or SDate == '': raise PopbillException(-99999999, 'μ‹œμž‘μΌμžκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') if EDate == None or EDate == '': raise PopbillException(-99999999, 'μ’…λ£ŒμΌμžκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') uri = '/Cashbill/Search' uri += '?DType=' + DType uri += '&SDate=' + SDate uri += '&EDate=' + EDate uri += '&State=' + ','.join(State) uri += '&TradeUsage=' + ','.join(TradeUsage) uri += '&TradeType=' + ','.join(TradeType) uri += '&TaxationType=' + ','.join(TaxationType) uri += '&Page=' + str(Page) uri += '&PerPage=' + str(PerPage) uri += '&Order=' + Order if QString is not None: uri += '&QString=' + QString if TradeOpt is not None: uri += '&TradeOpt=' + ','.join(TradeOpt) return self._httpget(uri, CorpNum, UserID)
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, DType, SDate, EDate, State, TradeType, TradeUsage,\n TaxationType, Page, PerPage, Order, UserID=None, QString=None, TradeOpt\n =None):\n if DType == None or DType == '':\n raise PopbillException(-99999999, 'μΌμžμœ ν˜•μ΄ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n if SDate == None or SDate == '':\n raise PopbillException(-99999999, 'μ‹œμž‘μΌμžκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n if EDate == None or EDate == '':\n raise PopbillException(-99999999, 'μ’…λ£ŒμΌμžκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n uri = '/Cashbill/Search'\n uri += '?DType=' + DType\n uri += '&SDate=' + SDate\n uri += '&EDate=' + EDate\n uri += '&State=' + ','.join(State)\n uri += '&TradeUsage=' + ','.join(TradeUsage)\n uri += '&TradeType=' + ','.join(TradeType)\n uri += '&TaxationType=' + ','.join(TaxationType)\n uri += '&Page=' + str(Page)\n uri += '&PerPage=' + str(PerPage)\n uri += '&Order=' + Order\n if QString is not None:\n uri += '&QString=' + QString\n if TradeOpt is not None:\n uri += '&TradeOpt=' + ','.join(TradeOpt)\n return self._httpget(uri, CorpNum, UserID)\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, CorpNum, MgtKey): if MgtKey == None or MgtKey == '': raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') return self._httpget('/Cashbill/' + MgtKey, CorpNum)
getInfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, MgtKey):\n if MgtKey == None or MgtKey == '':\n raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n return self._httpget('/Cashbill/' + MgtKey, CorpNum)\n", "role": "user" }, { "content": "getInfo", "role": "assistant" } ]
def x(self, CorpNum, MgtKeyList): if MgtKeyList == None or len(MgtKeyList) < 1: raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') postData = self._stringtify(MgtKeyList) return self._httppost('/Cashbill/States', postData, CorpNum)
getInfos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, MgtKeyList):\n if MgtKeyList == None or len(MgtKeyList) < 1:\n raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n postData = self._stringtify(MgtKeyList)\n return self._httppost('/Cashbill/States', postData, CorpNum)\n", "role": "user" }, { "content": "getInfos", "role": "assistant" } ]
def x(self, CorpNum, MgtKey): if MgtKey == None or MgtKey == '': raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') return self._httpget('/Cashbill/' + MgtKey + '?Detail', CorpNum)
getDetailInfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, MgtKey):\n if MgtKey == None or MgtKey == '':\n raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n return self._httpget('/Cashbill/' + MgtKey + '?Detail', CorpNum)\n", "role": "user" }, { "content": "getDetailInfo", "role": "assistant" } ]
def x(self, CorpNum, MgtKey, ReceiverEmail, UserID=None): if MgtKey == None or MgtKey == '': raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') if ReceiverEmail == None or ReceiverEmail == '': raise PopbillException(-99999999, 'μˆ˜μ‹ μž λ©”μΌμ£Όμ†Œκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') postData = self._stringtify({'receiver': ReceiverEmail}) return self._httppost('/Cashbill/' + MgtKey, postData, CorpNum, UserID, 'EMAIL')
sendEmail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, MgtKey, ReceiverEmail, UserID=None):\n if MgtKey == None or MgtKey == '':\n raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n if ReceiverEmail == None or ReceiverEmail == '':\n raise PopbillException(-99999999, 'μˆ˜μ‹ μž λ©”μΌμ£Όμ†Œκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n postData = self._stringtify({'receiver': ReceiverEmail})\n return self._httppost('/Cashbill/' + MgtKey, postData, CorpNum, UserID,\n 'EMAIL')\n", "role": "user" }, { "content": "sendEmail", "role": "assistant" } ]
def x(self, CorpNum, MgtKey): if MgtKey == None or MgtKey == '': raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') return self._httpget('/Cashbill/' + MgtKey + '/Logs', CorpNum)
getLogs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, MgtKey):\n if MgtKey == None or MgtKey == '':\n raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n return self._httpget('/Cashbill/' + MgtKey + '/Logs', CorpNum)\n", "role": "user" }, { "content": "getLogs", "role": "assistant" } ]
def x(self, CorpNum, MgtKey, UserID=None): if MgtKey == None or MgtKey == '': raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') result = self._httpget('/Cashbill/' + MgtKey + '?TG=EPRINT', CorpNum, UserID) return result.url
getEPrintURL
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, CorpNum, MgtKey, UserID=None):\n if MgtKey == None or MgtKey == '':\n raise PopbillException(-99999999, 'κ΄€λ¦¬λ²ˆν˜Έκ°€ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n result = self._httpget('/Cashbill/' + MgtKey + '?TG=EPRINT', CorpNum,\n UserID)\n return result.url\n", "role": "user" }, { "content": "getEPrintURL", "role": "assistant" } ]
def x(self, Corpnum, EmailType, SendYN, UserID=None): if EmailType == None or EmailType == '': raise PopbillException(-99999999, '메일전솑 νƒ€μž…μ΄ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') if SendYN == None or SendYN == '': raise PopbillException(-99999999, '메일전솑 μ—¬λΆ€ ν•­λͺ©μ΄ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.') uri = ('/Cashbill/EmailSendConfig?EmailType=' + EmailType + '&SendYN=' + str(SendYN)) return self._httppost(uri, '', Corpnum, UserID)
updateEmailConfig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Corpnum, EmailType, SendYN, UserID=None):\n if EmailType == None or EmailType == '':\n raise PopbillException(-99999999, '메일전솑 νƒ€μž…μ΄ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n if SendYN == None or SendYN == '':\n raise PopbillException(-99999999, '메일전솑 μ—¬λΆ€ ν•­λͺ©μ΄ μž…λ ₯λ˜μ§€ μ•Šμ•˜μŠ΅λ‹ˆλ‹€.')\n uri = ('/Cashbill/EmailSendConfig?EmailType=' + EmailType + '&SendYN=' +\n str(SendYN))\n return self._httppost(uri, '', Corpnum, UserID)\n", "role": "user" }, { "content": "updateEmailConfig", "role": "assistant" } ]
def x(self, request): pipeline = [{'$match': request.args.pop('match', {})}] sort = request.args.pop('sort', {}) if sort: pipeline.append({'$sort': sort}) project = request.args.pop('project', {}) if project: pipeline.append({'$project': project}) return Response(serialize(self.collection.aggregate(pipeline)))
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n pipeline = [{'$match': request.args.pop('match', {})}]\n sort = request.args.pop('sort', {})\n if sort:\n pipeline.append({'$sort': sort})\n project = request.args.pop('project', {})\n if project:\n pipeline.append({'$project': project})\n return Response(serialize(self.collection.aggregate(pipeline)))\n", "role": "user" }, { "content": "list", "role": "assistant" } ]
def x(self, request): document = self.collection(request.json) document.created_at = datetime.utcnow() document.updated_at = document.created_at created = document.insert() return Response(response=serialize(created), status=201 if not all(key in created for key in ['error_code', 'error_type', 'error_message']) else 400)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n document = self.collection(request.json)\n document.created_at = datetime.utcnow()\n document.updated_at = document.created_at\n created = document.insert()\n return Response(response=serialize(created), status=201 if not all(key in\n created for key in ['error_code', 'error_type', 'error_message']) else\n 400)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, request, _id): _id = deserialize(_id) retrieved = self.collection.find_one({'_id': _id}) if retrieved: return Response(serialize(retrieved)) else: return Response(response=serialize(DocumentNotFoundError(self. collection.__name__, _id)), status=400)
retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, _id):\n _id = deserialize(_id)\n retrieved = self.collection.find_one({'_id': _id})\n if retrieved:\n return Response(serialize(retrieved))\n else:\n return Response(response=serialize(DocumentNotFoundError(self.\n collection.__name__, _id)), status=400)\n", "role": "user" }, { "content": "retrieve", "role": "assistant" } ]
def x(self, request, _id): _id = deserialize(_id) to_update = self.collection.find_one({'_id': _id}) if to_update: document = self.collection(dict(to_update, **request.json)) document.updated_at = datetime.utcnow() updated = document.update() return Response(response=serialize(updated), status=200 if not all( key in updated for key in ['error_code', 'error_type', 'error_message']) else 400) else: return Response(response=serialize(DocumentNotFoundError(self. collection.__name__, _id)), status=400)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, _id):\n _id = deserialize(_id)\n to_update = self.collection.find_one({'_id': _id})\n if to_update:\n document = self.collection(dict(to_update, **request.json))\n document.updated_at = datetime.utcnow()\n updated = document.update()\n return Response(response=serialize(updated), status=200 if not all(\n key in updated for key in ['error_code', 'error_type',\n 'error_message']) else 400)\n else:\n return Response(response=serialize(DocumentNotFoundError(self.\n collection.__name__, _id)), status=400)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, request, _id): _id = deserialize(_id) to_delete = self.collection.get({'_id': _id}) if to_delete: deleted = to_delete.delete() return Response(response=serialize(deleted), status=200 if not all( key in deleted for key in ['error_code', 'error_type', 'error_message']) else 400) else: return Response(response=serialize(DocumentNotFoundError(self. collection.__name__, _id)), status=404)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, _id):\n _id = deserialize(_id)\n to_delete = self.collection.get({'_id': _id})\n if to_delete:\n deleted = to_delete.delete()\n return Response(response=serialize(deleted), status=200 if not all(\n key in deleted for key in ['error_code', 'error_type',\n 'error_message']) else 400)\n else:\n return Response(response=serialize(DocumentNotFoundError(self.\n collection.__name__, _id)), status=404)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(*dec_args, **dec_kwargs): if len(dec_args) == 1 and callable(dec_args[0]) and not dec_kwargs: callee = dec_args[0] dec_args = () dec_kwargs = {} @functools.wraps(callee) def x(*call_args, **call_kwargs): return _twisted_test_sync(callee, call_args, call_kwargs) return wrapper else: def x(callee): @functools.wraps(callee) def x(*call_args, **call_kwargs): return _twisted_test_sync(callee, call_args, call_kwargs, * dec_args, **dec_kwargs) return wrapper return decorator
with_reactor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*dec_args, **dec_kwargs):\n if len(dec_args) == 1 and callable(dec_args[0]) and not dec_kwargs:\n callee = dec_args[0]\n dec_args = ()\n dec_kwargs = {}\n\n @functools.wraps(callee)\n def x(*call_args, **call_kwargs):\n return _twisted_test_sync(callee, call_args, call_kwargs)\n return wrapper\n else:\n\n def x(callee):\n\n @functools.wraps(callee)\n def x(*call_args, **call_kwargs):\n return _twisted_test_sync(callee, call_args, call_kwargs, *\n dec_args, **dec_kwargs)\n return wrapper\n return decorator\n", "role": "user" }, { "content": "with_reactor", "role": "assistant" } ]