source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): return numpy.sum(self.ar_coefs) + numpy.sum(self.ma_coefs)
sum_coefs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return numpy.sum(self.ar_coefs) + numpy.sum(self.ma_coefs)\n", "role": "user" }, { "content": "sum_coefs", "role": "assistant" } ]
def x(self, ar_order, ma_model): turning_idx, _ = ma_model.turningpoint values = ma_model.coefs[turning_idx:] self.ar_coefs, residuals = numpy.linalg.lstsq(self.get_a(values, ar_order), self.get_b(values, ar_order), rcond=-1)[:2] if len(residuals) == 1: self._rel_rmse = numpy.sqrt(residuals[0]) / numpy.sum(values) else: self._rel_rmse = 0.0
calc_all_ar_coefs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ar_order, ma_model):\n turning_idx, _ = ma_model.turningpoint\n values = ma_model.coefs[turning_idx:]\n self.ar_coefs, residuals = numpy.linalg.lstsq(self.get_a(values,\n ar_order), self.get_b(values, ar_order), rcond=-1)[:2]\n if len(residuals) == 1:\n self._rel_rmse = numpy.sqrt(residuals[0]) / numpy.sum(values)\n else:\n self._rel_rmse = 0.0\n", "role": "user" }, { "content": "calc_all_ar_coefs", "role": "assistant" } ]
def x(values, n): m = len(values) - n a = numpy.empty((m, n), dtype=float) for i in range(m): i0 = i - 1 if i > 0 else None i1 = i + n - 1 a[i] = values[i1:i0:-1] return numpy.array(a)
get_a
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, n):\n m = len(values) - n\n a = numpy.empty((m, n), dtype=float)\n for i in range(m):\n i0 = i - 1 if i > 0 else None\n i1 = i + n - 1\n a[i] = values[i1:i0:-1]\n return numpy.array(a)\n", "role": "user" }, { "content": "get_a", "role": "assistant" } ]
def x(self): self.ma_coefs = [] for ma_order in range(1, self.ma.order + 1): self.calc_next_ma_coef(ma_order, self.ma) if self.dev_coefs < self.max_dev_coefs: self.norm_coefs() break else: with hydpy.pub.options.reprdigits(12): raise RuntimeError( f'Method `update_ma_coefs` is not able to determine the MA coefficients of the ARMA model with the desired accuracy. You can set the tolerance value ´max_dev_coefs` to a higher value. An accuracy of `{objecttools.repr_(self.dev_coefs)}` has been reached using `{self.ma.order}` MA coefficients.' ) if numpy.min(self.response) < 0.0: warnings.warn( 'Note that the smallest response to a standard impulse of the determined ARMA model is negative (`%s`).' % objecttools.repr_(numpy.min(self.response)))
update_ma_coefs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.ma_coefs = []\n for ma_order in range(1, self.ma.order + 1):\n self.calc_next_ma_coef(ma_order, self.ma)\n if self.dev_coefs < self.max_dev_coefs:\n self.norm_coefs()\n break\n else:\n with hydpy.pub.options.reprdigits(12):\n raise RuntimeError(\n f'Method `update_ma_coefs` is not able to determine the MA coefficients of the ARMA model with the desired accuracy. You can set the tolerance value ´max_dev_coefs` to a higher value. An accuracy of `{objecttools.repr_(self.dev_coefs)}` has been reached using `{self.ma.order}` MA coefficients.'\n )\n if numpy.min(self.response) < 0.0:\n warnings.warn(\n 'Note that the smallest response to a standard impulse of the determined ARMA model is negative (`%s`).'\n % objecttools.repr_(numpy.min(self.response)))\n", "role": "user" }, { "content": "update_ma_coefs", "role": "assistant" } ]
def x(self, ma_order, ma_model): idx = ma_order - 1 coef = ma_model.coefs[idx] for jdx, ar_coef in enumerate(self.ar_coefs): zdx = idx - jdx - 1 if zdx >= 0: coef -= ar_coef * ma_model.coefs[zdx] self.ma_coefs = numpy.concatenate((self.ma_coefs, [coef]))
calc_next_ma_coef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ma_order, ma_model):\n idx = ma_order - 1\n coef = ma_model.coefs[idx]\n for jdx, ar_coef in enumerate(self.ar_coefs):\n zdx = idx - jdx - 1\n if zdx >= 0:\n coef -= ar_coef * ma_model.coefs[zdx]\n self.ma_coefs = numpy.concatenate((self.ma_coefs, [coef]))\n", "role": "user" }, { "content": "calc_next_ma_coef", "role": "assistant" } ]
def x(self): values = [] sum_values = 0.0 ma_coefs = self.ma_coefs ar_coefs = self.ar_coefs ma_order = self.ma_order for idx in range(len(self.ma.delays)): value = 0.0 if idx < ma_order: value += ma_coefs[idx] for jdx, ar_coef in enumerate(ar_coefs): zdx = idx - jdx - 1 if zdx >= 0: value += ar_coef * values[zdx] values.append(value) sum_values += value return numpy.array(values)
response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n values = []\n sum_values = 0.0\n ma_coefs = self.ma_coefs\n ar_coefs = self.ar_coefs\n ma_order = self.ma_order\n for idx in range(len(self.ma.delays)):\n value = 0.0\n if idx < ma_order:\n value += ma_coefs[idx]\n for jdx, ar_coef in enumerate(ar_coefs):\n zdx = idx - jdx - 1\n if zdx >= 0:\n value += ar_coef * values[zdx]\n values.append(value)\n sum_values += value\n return numpy.array(values)\n", "role": "user" }, { "content": "response", "role": "assistant" } ]
def x(self): timepoints = self.ma.delays response = self.response moment1 = statstools.calc_mean_time(timepoints, response) moment2 = statstools.calc_mean_time_deviation(timepoints, response, moment1 ) return numpy.array([moment1, moment2])
moments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n timepoints = self.ma.delays\n response = self.response\n moment1 = statstools.calc_mean_time(timepoints, response)\n moment2 = statstools.calc_mean_time_deviation(timepoints, response, moment1\n )\n return numpy.array([moment1, moment2])\n", "role": "user" }, { "content": "moments", "role": "assistant" } ]
def x(self, threshold=None, **kwargs): try: pyplot.bar(x=self.ma.delays + 0.5, height=self.response, width=1.0, fill=False, **kwargs) except TypeError: pyplot.bar(left=self.ma.delays + 0.5, height=self.response, width= 1.0, fill=False, **kwargs) pyplot.xlabel('time') pyplot.ylabel('response') if threshold is not None: cumsum = numpy.cumsum(self.response) idx = numpy.where(cumsum > threshold * cumsum[-1])[0][0] pyplot.xlim(0.0, idx)
plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, threshold=None, **kwargs):\n try:\n pyplot.bar(x=self.ma.delays + 0.5, height=self.response, width=1.0,\n fill=False, **kwargs)\n except TypeError:\n pyplot.bar(left=self.ma.delays + 0.5, height=self.response, width=\n 1.0, fill=False, **kwargs)\n pyplot.xlabel('time')\n pyplot.ylabel('response')\n if threshold is not None:\n cumsum = numpy.cumsum(self.response)\n idx = numpy.where(cumsum > threshold * cumsum[-1])[0][0]\n pyplot.xlim(0.0, idx)\n", "role": "user" }, { "content": "plot", "role": "assistant" } ]
def x(method_name, nogil=False, idx_as_arg=False): if not config.FASTCYTHON: nogil = False header = 'cpdef inline void %s(self' % method_name header += ', int idx)' if idx_as_arg else ')' header += ' nogil:' if nogil else ':' return header
method_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method_name, nogil=False, idx_as_arg=False):\n if not config.FASTCYTHON:\n nogil = False\n header = 'cpdef inline void %s(self' % method_name\n header += ', int idx)' if idx_as_arg else ')'\n header += ' nogil:' if nogil else ':'\n return header\n", "role": "user" }, { "content": "method_header", "role": "assistant" } ]
def x(wrapped): def x(self): lines = Lines() if hasattr(self.model, wrapped.__name__): print(' . %s' % wrapped.__name__) lines.add(1, method_header(wrapped.__name__, nogil=True)) for line in wrapped(self): lines.add(2, line) return lines functools.update_wrapper(wrapper, wrapped) wrapper.__doc__ = 'Lines of model method %s.' % wrapped.__name__ return property(wrapper)
decorate_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wrapped):\n\n def x(self):\n lines = Lines()\n if hasattr(self.model, wrapped.__name__):\n print(' . %s' % wrapped.__name__)\n lines.add(1, method_header(wrapped.__name__, nogil=True))\n for line in wrapped(self):\n lines.add(2, line)\n return lines\n functools.update_wrapper(wrapper, wrapped)\n wrapper.__doc__ = 'Lines of model method %s.' % wrapped.__name__\n return property(wrapper)\n", "role": "user" }, { "content": "decorate_method", "role": "assistant" } ]
def x(self, indent, line): if isinstance(line, str): list.append(self, indent * 4 * ' ' + line) else: for subline in line: list.append(self, indent * 4 * ' ' + subline)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, indent, line):\n if isinstance(line, str):\n list.append(self, indent * 4 * ' ' + line)\n else:\n for subline in line:\n list.append(self, indent * 4 * ' ' + subline)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self): if self.pymodule.endswith('__init__'): return self.pymodule.split('.')[-2] else: return self.pymodule.split('.')[-1]
pyname
[ { "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.pymodule.endswith('__init__'):\n return self.pymodule.split('.')[-2]\n else:\n return self.pymodule.split('.')[-1]\n", "role": "user" }, { "content": "pyname", "role": "assistant" } ]
def x(self): model = self.Model() if hasattr(self, 'Parameters'): model.parameters = self.Parameters(vars(self)) else: model.parameters = parametertools.Parameters(vars(self)) if hasattr(self, 'Sequences'): model.sequences = self.Sequences(model=model, **vars(self)) else: model.sequences = sequencetools.Sequences(model=model, **vars(self)) return PyxWriter(self, model, self.pyxfilepath)
pyxwriter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n model = self.Model()\n if hasattr(self, 'Parameters'):\n model.parameters = self.Parameters(vars(self))\n else:\n model.parameters = parametertools.Parameters(vars(self))\n if hasattr(self, 'Sequences'):\n model.sequences = self.Sequences(model=model, **vars(self))\n else:\n model.sequences = sequencetools.Sequences(model=model, **vars(self))\n return PyxWriter(self, model, self.pyxfilepath)\n", "role": "user" }, { "content": "pyxwriter", "role": "assistant" } ]
def x(self): sourcefiles = set() for name, child in vars(self).items(): try: parents = inspect.getmro(child) except AttributeError: continue for parent in parents: try: sourcefile = inspect.getfile(parent) except TypeError: break sourcefiles.add(sourcefile) return Lines(*sourcefiles)
pysourcefiles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sourcefiles = set()\n for name, child in vars(self).items():\n try:\n parents = inspect.getmro(child)\n except AttributeError:\n continue\n for parent in parents:\n try:\n sourcefile = inspect.getfile(parent)\n except TypeError:\n break\n sourcefiles.add(sourcefile)\n return Lines(*sourcefiles)\n", "role": "user" }, { "content": "pysourcefiles", "role": "assistant" } ]
def x(self): if hydpy.pub.options.forcecompiling: return True if os.path.split(hydpy.__path__[0])[-2].endswith('-packages'): return False if not os.path.exists(self.dllfilepath): return True cydate = os.stat(self.dllfilepath).st_mtime for pysourcefile in self.pysourcefiles: pydate = os.stat(pysourcefile).st_mtime if pydate > cydate: return True return False
outdated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if hydpy.pub.options.forcecompiling:\n return True\n if os.path.split(hydpy.__path__[0])[-2].endswith('-packages'):\n return False\n if not os.path.exists(self.dllfilepath):\n return True\n cydate = os.stat(self.dllfilepath).st_mtime\n for pysourcefile in self.pysourcefiles:\n pydate = os.stat(pysourcefile).st_mtime\n if pydate > cydate:\n return True\n return False\n", "role": "user" }, { "content": "outdated", "role": "assistant" } ]
def x(self): from Cython import Build argv = copy.deepcopy(sys.argv) sys.argv = [sys.argv[0], 'build_ext', '--build-lib=' + self.buildpath] exc_modules = [distutils.extension.Extension('hydpy.cythons.autogen.' + self.cyname, [self.pyxfilepath], extra_compile_args=['-O2'])] distutils.core.setup(ext_modules=Build.cythonize(exc_modules), include_dirs=[numpy.get_include()]) sys.argv = argv
compile_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from Cython import Build\n argv = copy.deepcopy(sys.argv)\n sys.argv = [sys.argv[0], 'build_ext', '--build-lib=' + self.buildpath]\n exc_modules = [distutils.extension.Extension('hydpy.cythons.autogen.' +\n self.cyname, [self.pyxfilepath], extra_compile_args=['-O2'])]\n distutils.core.setup(ext_modules=Build.cythonize(exc_modules),\n include_dirs=[numpy.get_include()])\n sys.argv = argv\n", "role": "user" }, { "content": "compile_", "role": "assistant" } ]
def x(self): dirinfos = os.walk(self.buildpath) next(dirinfos) system_dependent_filename = None for dirinfo in dirinfos: for filename in dirinfo[2]: if filename.startswith(self.cyname) and filename.endswith( dllextension): system_dependent_filename = filename break if system_dependent_filename: try: shutil.move(os.path.join(dirinfo[0], system_dependent_filename), os.path.join(self.cydirpath, self.cyname + dllextension)) break except BaseException: prefix = ( 'After trying to cythonize module %s, when trying to move the final cython module %s from directory %s to directory %s' % (self.pyname, system_dependent_filename, self. buildpath, self.cydirpath)) suffix = ( 'A likely error cause is that the cython module %s does already exist in this directory and is currently blocked by another Python process. Maybe it helps to close all Python processes and restart the cyhonization afterwards.' % self.cyname + dllextension) objecttools.augment_excmessage(prefix, suffix) else: raise IOError( 'After trying to cythonize module %s, the resulting file %s could neither be found in directory %s nor its subdirectories. The distul report should tell whether the file has been stored somewhere else,is named somehow else, or could not be build at all.' % self.buildpath)
move_dll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dirinfos = os.walk(self.buildpath)\n next(dirinfos)\n system_dependent_filename = None\n for dirinfo in dirinfos:\n for filename in dirinfo[2]:\n if filename.startswith(self.cyname) and filename.endswith(\n dllextension):\n system_dependent_filename = filename\n break\n if system_dependent_filename:\n try:\n shutil.move(os.path.join(dirinfo[0],\n system_dependent_filename), os.path.join(self.cydirpath,\n self.cyname + dllextension))\n break\n except BaseException:\n prefix = (\n 'After trying to cythonize module %s, when trying to move the final cython module %s from directory %s to directory %s'\n % (self.pyname, system_dependent_filename, self.\n buildpath, self.cydirpath))\n suffix = (\n 'A likely error cause is that the cython module %s does already exist in this directory and is currently blocked by another Python process. Maybe it helps to close all Python processes and restart the cyhonization afterwards.'\n % self.cyname + dllextension)\n objecttools.augment_excmessage(prefix, suffix)\n else:\n raise IOError(\n 'After trying to cythonize module %s, the resulting file %s could neither be found in directory %s nor its subdirectories. The distul report should tell whether the file has been stored somewhere else,is named somehow else, or could not be build at all.'\n % self.buildpath)\n", "role": "user" }, { "content": "move_dll", "role": "assistant" } ]
def x(self): lines = Lines() for name, member in vars(self.cythonizer).items(): if name.isupper() and not inspect.isclass(member) and type(member ) in TYPE2STR: ndim = numpy.array(member).ndim ctype = TYPE2STR[type(member)] + NDIM2STR[ndim] lines.add(0, 'cdef public %s %s = %s' % (ctype, name, member)) return lines
constants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = Lines()\n for name, member in vars(self.cythonizer).items():\n if name.isupper() and not inspect.isclass(member) and type(member\n ) in TYPE2STR:\n ndim = numpy.array(member).ndim\n ctype = TYPE2STR[type(member)] + NDIM2STR[ndim]\n lines.add(0, 'cdef public %s %s = %s' % (ctype, name, member))\n return lines\n", "role": "user" }, { "content": "constants", "role": "assistant" } ]
def x(self): lines = Lines() lines.add(0, '@cython.final') lines.add(0, 'cdef class Parameters(object):') for subpars in self.model.parameters: if subpars: lines.add(1, 'cdef public %s %s' % (objecttools.classname( subpars), subpars.name)) for subpars in self.model.parameters: if subpars: print(' - %s' % subpars.name) lines.add(0, '@cython.final') lines.add(0, 'cdef class %s(object):' % objecttools.classname( subpars)) for par in subpars: try: ctype = TYPE2STR[par.TYPE] + NDIM2STR[par.NDIM] except KeyError: ctype = par.TYPE + NDIM2STR[par.NDIM] lines.add(1, 'cdef public %s %s' % (ctype, par.name)) return lines
parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = Lines()\n lines.add(0, '@cython.final')\n lines.add(0, 'cdef class Parameters(object):')\n for subpars in self.model.parameters:\n if subpars:\n lines.add(1, 'cdef public %s %s' % (objecttools.classname(\n subpars), subpars.name))\n for subpars in self.model.parameters:\n if subpars:\n print(' - %s' % subpars.name)\n lines.add(0, '@cython.final')\n lines.add(0, 'cdef class %s(object):' % objecttools.classname(\n subpars))\n for par in subpars:\n try:\n ctype = TYPE2STR[par.TYPE] + NDIM2STR[par.NDIM]\n except KeyError:\n ctype = par.TYPE + NDIM2STR[par.NDIM]\n lines.add(1, 'cdef public %s %s' % (ctype, par.name))\n return lines\n", "role": "user" }, { "content": "parameters", "role": "assistant" } ]
def x(self): lines = Lines() lines.add(0, '@cython.final') lines.add(0, 'cdef class Sequences(object):') for subseqs in self.model.sequences: lines.add(1, 'cdef public %s %s' % (objecttools.classname(subseqs), subseqs.name)) if getattr(self.model.sequences, 'states', None) is not None: lines.add(1, 'cdef public StateSequences old_states') lines.add(1, 'cdef public StateSequences new_states') for subseqs in self.model.sequences: print(' - %s' % subseqs.name) lines.add(0, '@cython.final') lines.add(0, 'cdef class %s(object):' % objecttools.classname(subseqs)) for seq in subseqs: ctype = 'double' + NDIM2STR[seq.NDIM] if isinstance(subseqs, sequencetools.LinkSequences): if seq.NDIM == 0: lines.add(1, 'cdef double *%s' % seq.name) elif seq.NDIM == 1: lines.add(1, 'cdef double **%s' % seq.name) lines.add(1, 'cdef public int len_%s' % seq.name) else: lines.add(1, 'cdef public %s %s' % (ctype, seq.name)) lines.add(1, 'cdef public int _%s_ndim' % seq.name) lines.add(1, 'cdef public int _%s_length' % seq.name) for idx in range(seq.NDIM): lines.add(1, 'cdef public int _%s_length_%d' % (seq.name, idx)) if seq.NUMERIC: ctype_numeric = 'double' + NDIM2STR[seq.NDIM + 1] lines.add(1, 'cdef public %s _%s_points' % (ctype_numeric, seq.name)) lines.add(1, 'cdef public %s _%s_results' % (ctype_numeric, seq.name)) if isinstance(subseqs, sequencetools.FluxSequences): lines.add(1, 'cdef public %s _%s_integrals' % ( ctype_numeric, seq.name)) lines.add(1, 'cdef public %s _%s_sum' % (ctype, seq.name)) if isinstance(subseqs, sequencetools.IOSequences): lines.extend(self.iosequence(seq)) if isinstance(subseqs, sequencetools.InputSequences): lines.extend(self.load_data(subseqs)) if isinstance(subseqs, sequencetools.IOSequences): lines.extend(self.open_files(subseqs)) lines.extend(self.close_files(subseqs)) if not isinstance(subseqs, sequencetools.InputSequence): lines.extend(self.save_data(subseqs)) if isinstance(subseqs, sequencetools.LinkSequences): lines.extend(self.set_pointer(subseqs)) return lines
sequences
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = Lines()\n lines.add(0, '@cython.final')\n lines.add(0, 'cdef class Sequences(object):')\n for subseqs in self.model.sequences:\n lines.add(1, 'cdef public %s %s' % (objecttools.classname(subseqs),\n subseqs.name))\n if getattr(self.model.sequences, 'states', None) is not None:\n lines.add(1, 'cdef public StateSequences old_states')\n lines.add(1, 'cdef public StateSequences new_states')\n for subseqs in self.model.sequences:\n print(' - %s' % subseqs.name)\n lines.add(0, '@cython.final')\n lines.add(0, 'cdef class %s(object):' % objecttools.classname(subseqs))\n for seq in subseqs:\n ctype = 'double' + NDIM2STR[seq.NDIM]\n if isinstance(subseqs, sequencetools.LinkSequences):\n if seq.NDIM == 0:\n lines.add(1, 'cdef double *%s' % seq.name)\n elif seq.NDIM == 1:\n lines.add(1, 'cdef double **%s' % seq.name)\n lines.add(1, 'cdef public int len_%s' % seq.name)\n else:\n lines.add(1, 'cdef public %s %s' % (ctype, seq.name))\n lines.add(1, 'cdef public int _%s_ndim' % seq.name)\n lines.add(1, 'cdef public int _%s_length' % seq.name)\n for idx in range(seq.NDIM):\n lines.add(1, 'cdef public int _%s_length_%d' % (seq.name, idx))\n if seq.NUMERIC:\n ctype_numeric = 'double' + NDIM2STR[seq.NDIM + 1]\n lines.add(1, 'cdef public %s _%s_points' % (ctype_numeric,\n seq.name))\n lines.add(1, 'cdef public %s _%s_results' % (ctype_numeric,\n seq.name))\n if isinstance(subseqs, sequencetools.FluxSequences):\n lines.add(1, 'cdef public %s _%s_integrals' % (\n ctype_numeric, seq.name))\n lines.add(1, 'cdef public %s _%s_sum' % (ctype, seq.name))\n if isinstance(subseqs, sequencetools.IOSequences):\n lines.extend(self.iosequence(seq))\n if isinstance(subseqs, sequencetools.InputSequences):\n lines.extend(self.load_data(subseqs))\n if isinstance(subseqs, sequencetools.IOSequences):\n lines.extend(self.open_files(subseqs))\n lines.extend(self.close_files(subseqs))\n if not isinstance(subseqs, sequencetools.InputSequence):\n lines.extend(self.save_data(subseqs))\n if isinstance(subseqs, sequencetools.LinkSequences):\n lines.extend(self.set_pointer(subseqs))\n return lines\n", "role": "user" }, { "content": "sequences", "role": "assistant" } ]
def x(seq): lines = Lines() lines.add(1, 'cdef public bint _%s_diskflag' % seq.name) lines.add(1, 'cdef public str _%s_path' % seq.name) lines.add(1, 'cdef FILE *_%s_file' % seq.name) lines.add(1, 'cdef public bint _%s_ramflag' % seq.name) ctype = 'double' + NDIM2STR[seq.NDIM + 1] lines.add(1, 'cdef public %s _%s_array' % (ctype, seq.name)) return lines
iosequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq):\n lines = Lines()\n lines.add(1, 'cdef public bint _%s_diskflag' % seq.name)\n lines.add(1, 'cdef public str _%s_path' % seq.name)\n lines.add(1, 'cdef FILE *_%s_file' % seq.name)\n lines.add(1, 'cdef public bint _%s_ramflag' % seq.name)\n ctype = 'double' + NDIM2STR[seq.NDIM + 1]\n lines.add(1, 'cdef public %s _%s_array' % (ctype, seq.name))\n return lines\n", "role": "user" }, { "content": "iosequence", "role": "assistant" } ]
def x(subseqs): print(' . open_files') lines = Lines() lines.add(1, 'cpdef open_files(self, int idx):') for seq in subseqs: lines.add(2, 'if self._%s_diskflag:' % seq.name) lines.add(3, 'self._%s_file = fopen(str(self._%s_path).encode(), "rb+")' % ( 2 * (seq.name,))) if seq.NDIM == 0: lines.add(3, 'fseek(self._%s_file, idx*8, SEEK_SET)' % seq.name) else: lines.add(3, 'fseek(self._%s_file, idx*self._%s_length*8, SEEK_SET)' % ( 2 * (seq.name,))) return lines
open_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subseqs):\n print(' . open_files')\n lines = Lines()\n lines.add(1, 'cpdef open_files(self, int idx):')\n for seq in subseqs:\n lines.add(2, 'if self._%s_diskflag:' % seq.name)\n lines.add(3, \n 'self._%s_file = fopen(str(self._%s_path).encode(), \"rb+\")' % (\n 2 * (seq.name,)))\n if seq.NDIM == 0:\n lines.add(3, 'fseek(self._%s_file, idx*8, SEEK_SET)' % seq.name)\n else:\n lines.add(3, \n 'fseek(self._%s_file, idx*self._%s_length*8, SEEK_SET)' % (\n 2 * (seq.name,)))\n return lines\n", "role": "user" }, { "content": "open_files", "role": "assistant" } ]
def x(subseqs): print(' . close_files') lines = Lines() lines.add(1, 'cpdef inline close_files(self):') for seq in subseqs: lines.add(2, 'if self._%s_diskflag:' % seq.name) lines.add(3, 'fclose(self._%s_file)' % seq.name) return lines
close_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subseqs):\n print(' . close_files')\n lines = Lines()\n lines.add(1, 'cpdef inline close_files(self):')\n for seq in subseqs:\n lines.add(2, 'if self._%s_diskflag:' % seq.name)\n lines.add(3, 'fclose(self._%s_file)' % seq.name)\n return lines\n", "role": "user" }, { "content": "close_files", "role": "assistant" } ]
def x(subseqs): print(' . load_data') lines = Lines() lines.add(1, 'cpdef inline void load_data(self, int idx) %s:' % _nogil) lines.add(2, 'cdef int jdx0, jdx1, jdx2, jdx3, jdx4, jdx5') for seq in subseqs: lines.add(2, 'if self._%s_diskflag:' % seq.name) if seq.NDIM == 0: lines.add(3, 'fread(&self.%s, 8, 1, self._%s_file)' % (2 * (seq .name,))) else: lines.add(3, 'fread(&self.%s[0], 8, self._%s_length, self._%s_file)' % ( 3 * (seq.name,))) lines.add(2, 'elif self._%s_ramflag:' % seq.name) if seq.NDIM == 0: lines.add(3, 'self.%s = self._%s_array[idx]' % (2 * (seq.name,))) else: indexing = '' for idx in range(seq.NDIM): lines.add(3 + idx, 'for jdx%d in range(self._%s_length_%d):' % (idx, seq. name, idx)) indexing += 'jdx%d,' % idx indexing = indexing[:-1] lines.add(3 + seq.NDIM, 'self.%s[%s] = self._%s_array[idx,%s]' % (2 * (seq.name, indexing))) return lines
load_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subseqs):\n print(' . load_data')\n lines = Lines()\n lines.add(1, 'cpdef inline void load_data(self, int idx) %s:' % _nogil)\n lines.add(2, 'cdef int jdx0, jdx1, jdx2, jdx3, jdx4, jdx5')\n for seq in subseqs:\n lines.add(2, 'if self._%s_diskflag:' % seq.name)\n if seq.NDIM == 0:\n lines.add(3, 'fread(&self.%s, 8, 1, self._%s_file)' % (2 * (seq\n .name,)))\n else:\n lines.add(3, \n 'fread(&self.%s[0], 8, self._%s_length, self._%s_file)' % (\n 3 * (seq.name,)))\n lines.add(2, 'elif self._%s_ramflag:' % seq.name)\n if seq.NDIM == 0:\n lines.add(3, 'self.%s = self._%s_array[idx]' % (2 * (seq.name,)))\n else:\n indexing = ''\n for idx in range(seq.NDIM):\n lines.add(3 + idx, \n 'for jdx%d in range(self._%s_length_%d):' % (idx, seq.\n name, idx))\n indexing += 'jdx%d,' % idx\n indexing = indexing[:-1]\n lines.add(3 + seq.NDIM, 'self.%s[%s] = self._%s_array[idx,%s]' %\n (2 * (seq.name, indexing)))\n return lines\n", "role": "user" }, { "content": "load_data", "role": "assistant" } ]
def x(self, subseqs): lines = Lines() for seq in subseqs: if seq.NDIM == 0: lines.extend(self.set_pointer0d(subseqs)) break for seq in subseqs: if seq.NDIM == 1: lines.extend(self.alloc(subseqs)) lines.extend(self.dealloc(subseqs)) lines.extend(self.set_pointer1d(subseqs)) break return lines
set_pointer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subseqs):\n lines = Lines()\n for seq in subseqs:\n if seq.NDIM == 0:\n lines.extend(self.set_pointer0d(subseqs))\n break\n for seq in subseqs:\n if seq.NDIM == 1:\n lines.extend(self.alloc(subseqs))\n lines.extend(self.dealloc(subseqs))\n lines.extend(self.set_pointer1d(subseqs))\n break\n return lines\n", "role": "user" }, { "content": "set_pointer", "role": "assistant" } ]
def x(subseqs): print(' . set_pointer0d') lines = Lines() lines.add(1, 'cpdef inline set_pointer0d(self, str name, pointerutils.PDouble value):' ) for seq in subseqs: lines.add(2, 'if name == "%s":' % seq.name) lines.add(3, 'self.%s = value.p_value' % seq.name) return lines
set_pointer0d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subseqs):\n print(' . set_pointer0d')\n lines = Lines()\n lines.add(1,\n 'cpdef inline set_pointer0d(self, str name, pointerutils.PDouble value):'\n )\n for seq in subseqs:\n lines.add(2, 'if name == \"%s\":' % seq.name)\n lines.add(3, 'self.%s = value.p_value' % seq.name)\n return lines\n", "role": "user" }, { "content": "set_pointer0d", "role": "assistant" } ]
def x(subseqs): print(' . setlength') lines = Lines() lines.add(1, 'cpdef inline alloc(self, name, int length):') for seq in subseqs: lines.add(2, 'if name == "%s":' % seq.name) lines.add(3, 'self._%s_length_0 = length' % seq.name) lines.add(3, 'self.%s = <double**> PyMem_Malloc(length * sizeof(double*))' % seq.name) return lines
alloc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subseqs):\n print(' . setlength')\n lines = Lines()\n lines.add(1, 'cpdef inline alloc(self, name, int length):')\n for seq in subseqs:\n lines.add(2, 'if name == \"%s\":' % seq.name)\n lines.add(3, 'self._%s_length_0 = length' % seq.name)\n lines.add(3, \n 'self.%s = <double**> PyMem_Malloc(length * sizeof(double*))' %\n seq.name)\n return lines\n", "role": "user" }, { "content": "alloc", "role": "assistant" } ]
def x(subseqs): print(' . dealloc') lines = Lines() lines.add(1, 'cpdef inline dealloc(self):') for seq in subseqs: lines.add(2, 'PyMem_Free(self.%s)' % seq.name) return lines
dealloc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subseqs):\n print(' . dealloc')\n lines = Lines()\n lines.add(1, 'cpdef inline dealloc(self):')\n for seq in subseqs:\n lines.add(2, 'PyMem_Free(self.%s)' % seq.name)\n return lines\n", "role": "user" }, { "content": "dealloc", "role": "assistant" } ]
def x(subseqs): print(' . set_pointer1d') lines = Lines() lines.add(1, 'cpdef inline set_pointer1d(self, str name, pointerutils.PDouble value, int idx):' ) for seq in subseqs: lines.add(2, 'if name == "%s":' % seq.name) lines.add(3, 'self.%s[idx] = value.p_value' % seq.name) return lines
set_pointer1d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subseqs):\n print(' . set_pointer1d')\n lines = Lines()\n lines.add(1,\n 'cpdef inline set_pointer1d(self, str name, pointerutils.PDouble value, int idx):'\n )\n for seq in subseqs:\n lines.add(2, 'if name == \"%s\":' % seq.name)\n lines.add(3, 'self.%s[idx] = value.p_value' % seq.name)\n return lines\n", "role": "user" }, { "content": "set_pointer1d", "role": "assistant" } ]
def x(self): lines = Lines() if self.model.NUMERICAL: lines.add(0, '@cython.final') lines.add(0, 'cdef class NumConsts(object):') for name in ('nmb_methods', 'nmb_stages'): lines.add(1, 'cdef public %s %s' % (TYPE2STR[int], name)) for name in ('dt_increase', 'dt_decrease'): lines.add(1, 'cdef public %s %s' % (TYPE2STR[float], name)) lines.add(1, 'cdef public configutils.Config pub') lines.add(1, 'cdef public double[:, :, :] a_coefs') lines.add(0, 'cdef class NumVars(object):') for name in ('nmb_calls', 'idx_method', 'idx_stage'): lines.add(1, 'cdef public %s %s' % (TYPE2STR[int], name)) for name in ('t0', 't1', 'dt', 'dt_est', 'error', 'last_error', 'extrapolated_error'): lines.add(1, 'cdef public %s %s' % (TYPE2STR[float], name)) lines.add(1, 'cdef public %s f0_ready' % TYPE2STR[bool]) return lines
numericalparameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = Lines()\n if self.model.NUMERICAL:\n lines.add(0, '@cython.final')\n lines.add(0, 'cdef class NumConsts(object):')\n for name in ('nmb_methods', 'nmb_stages'):\n lines.add(1, 'cdef public %s %s' % (TYPE2STR[int], name))\n for name in ('dt_increase', 'dt_decrease'):\n lines.add(1, 'cdef public %s %s' % (TYPE2STR[float], name))\n lines.add(1, 'cdef public configutils.Config pub')\n lines.add(1, 'cdef public double[:, :, :] a_coefs')\n lines.add(0, 'cdef class NumVars(object):')\n for name in ('nmb_calls', 'idx_method', 'idx_stage'):\n lines.add(1, 'cdef public %s %s' % (TYPE2STR[int], name))\n for name in ('t0', 't1', 'dt', 'dt_est', 'error', 'last_error',\n 'extrapolated_error'):\n lines.add(1, 'cdef public %s %s' % (TYPE2STR[float], name))\n lines.add(1, 'cdef public %s f0_ready' % TYPE2STR[bool])\n return lines\n", "role": "user" }, { "content": "numericalparameters", "role": "assistant" } ]
def x(self): lines = Lines() lines.add(0, '@cython.final') lines.add(0, 'cdef class Model(object):') lines.add(1, 'cdef public int idx_sim') lines.add(1, 'cdef public Parameters parameters') lines.add(1, 'cdef public Sequences sequences') if hasattr(self.model, 'numconsts'): lines.add(1, 'cdef public NumConsts numconsts') if hasattr(self.model, 'numvars'): lines.add(1, 'cdef public NumVars numvars') return lines
modeldeclarations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = Lines()\n lines.add(0, '@cython.final')\n lines.add(0, 'cdef class Model(object):')\n lines.add(1, 'cdef public int idx_sim')\n lines.add(1, 'cdef public Parameters parameters')\n lines.add(1, 'cdef public Sequences sequences')\n if hasattr(self.model, 'numconsts'):\n lines.add(1, 'cdef public NumConsts numconsts')\n if hasattr(self.model, 'numvars'):\n lines.add(1, 'cdef public NumVars numvars')\n return lines\n", "role": "user" }, { "content": "modeldeclarations", "role": "assistant" } ]
def x(self): lines = Lines() lines.extend(self.doit) lines.extend(self.iofunctions) lines.extend(self.new2old) lines.extend(self.run) lines.extend(self.update_inlets) lines.extend(self.update_outlets) lines.extend(self.update_receivers) lines.extend(self.update_senders) return lines
modelstandardfunctions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = Lines()\n lines.extend(self.doit)\n lines.extend(self.iofunctions)\n lines.extend(self.new2old)\n lines.extend(self.run)\n lines.extend(self.update_inlets)\n lines.extend(self.update_outlets)\n lines.extend(self.update_receivers)\n lines.extend(self.update_senders)\n return lines\n", "role": "user" }, { "content": "modelstandardfunctions", "role": "assistant" } ]
def x(self): lines = Lines() lines.extend(self.solve) lines.extend(self.calculate_single_terms) lines.extend(self.calculate_full_terms) lines.extend(self.get_point_states) lines.extend(self.set_point_states) lines.extend(self.set_result_states) lines.extend(self.get_sum_fluxes) lines.extend(self.set_point_fluxes) lines.extend(self.set_result_fluxes) lines.extend(self.integrate_fluxes) lines.extend(self.reset_sum_fluxes) lines.extend(self.addup_fluxes) lines.extend(self.calculate_error) lines.extend(self.extrapolate_error) return lines
modelnumericfunctions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = Lines()\n lines.extend(self.solve)\n lines.extend(self.calculate_single_terms)\n lines.extend(self.calculate_full_terms)\n lines.extend(self.get_point_states)\n lines.extend(self.set_point_states)\n lines.extend(self.set_result_states)\n lines.extend(self.get_sum_fluxes)\n lines.extend(self.set_point_fluxes)\n lines.extend(self.set_result_fluxes)\n lines.extend(self.integrate_fluxes)\n lines.extend(self.reset_sum_fluxes)\n lines.extend(self.addup_fluxes)\n lines.extend(self.calculate_error)\n lines.extend(self.extrapolate_error)\n return lines\n", "role": "user" }, { "content": "modelnumericfunctions", "role": "assistant" } ]
def x(self): print(' . doit') lines = Lines() lines.add(1, 'cpdef inline void doit(self, int idx) %s:' % _nogil) lines.add(2, 'self.idx_sim = idx') if getattr(self.model.sequences, 'inputs', None) is not None: lines.add(2, 'self.load_data()') if self.model.INLET_METHODS: lines.add(2, 'self.update_inlets()') if hasattr(self.model, 'solve'): lines.add(2, 'self.solve()') else: lines.add(2, 'self.run()') if getattr(self.model.sequences, 'states', None) is not None: lines.add(2, 'self.new2old()') if self.model.OUTLET_METHODS: lines.add(2, 'self.update_outlets()') return lines
doit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n print(' . doit')\n lines = Lines()\n lines.add(1, 'cpdef inline void doit(self, int idx) %s:' % _nogil)\n lines.add(2, 'self.idx_sim = idx')\n if getattr(self.model.sequences, 'inputs', None) is not None:\n lines.add(2, 'self.load_data()')\n if self.model.INLET_METHODS:\n lines.add(2, 'self.update_inlets()')\n if hasattr(self.model, 'solve'):\n lines.add(2, 'self.solve()')\n else:\n lines.add(2, 'self.run()')\n if getattr(self.model.sequences, 'states', None) is not None:\n lines.add(2, 'self.new2old()')\n if self.model.OUTLET_METHODS:\n lines.add(2, 'self.update_outlets()')\n return lines\n", "role": "user" }, { "content": "doit", "role": "assistant" } ]
def x(self): lines = Lines() for func in ('open_files', 'close_files', 'load_data', 'save_data'): if func == 'load_data' and getattr(self.model.sequences, 'inputs', None ) is None: continue if func == 'save_data' and (getattr(self.model.sequences, 'fluxes', None) is None and getattr(self.model.sequences, 'states', None) is None): continue print(' . %s' % func) nogil = func in ('load_data', 'save_data') idx_as_arg = func == 'save_data' lines.add(1, method_header(func, nogil=nogil, idx_as_arg=idx_as_arg)) for subseqs in self.model.sequences: if func == 'load_data': applyfuncs = 'inputs', elif func == 'save_data': applyfuncs = 'fluxes', 'states' else: applyfuncs = 'inputs', 'fluxes', 'states' if subseqs.name in applyfuncs: if func == 'close_files': lines.add(2, 'self.sequences.%s.%s()' % (subseqs.name, func)) else: lines.add(2, 'self.sequences.%s.%s(self.idx_sim)' % ( subseqs.name, func)) return lines
iofunctions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = Lines()\n for func in ('open_files', 'close_files', 'load_data', 'save_data'):\n if func == 'load_data' and getattr(self.model.sequences, 'inputs', None\n ) is None:\n continue\n if func == 'save_data' and (getattr(self.model.sequences, 'fluxes',\n None) is None and getattr(self.model.sequences, 'states', None) is\n None):\n continue\n print(' . %s' % func)\n nogil = func in ('load_data', 'save_data')\n idx_as_arg = func == 'save_data'\n lines.add(1, method_header(func, nogil=nogil, idx_as_arg=idx_as_arg))\n for subseqs in self.model.sequences:\n if func == 'load_data':\n applyfuncs = 'inputs',\n elif func == 'save_data':\n applyfuncs = 'fluxes', 'states'\n else:\n applyfuncs = 'inputs', 'fluxes', 'states'\n if subseqs.name in applyfuncs:\n if func == 'close_files':\n lines.add(2, 'self.sequences.%s.%s()' % (subseqs.name,\n func))\n else:\n lines.add(2, 'self.sequences.%s.%s(self.idx_sim)' % (\n subseqs.name, func))\n return lines\n", "role": "user" }, { "content": "iofunctions", "role": "assistant" } ]
def x(self): lines = self._call_methods('calculate_single_terms', self.model. PART_ODE_METHODS) if lines: lines.insert(1, ' self.numvars.nmb_calls =self.numvars.nmb_calls+1') return lines
calculate_single_terms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = self._call_methods('calculate_single_terms', self.model.\n PART_ODE_METHODS)\n if lines:\n lines.insert(1,\n ' self.numvars.nmb_calls =self.numvars.nmb_calls+1')\n return lines\n", "role": "user" }, { "content": "calculate_single_terms", "role": "assistant" } ]
def x(self): lines = [] for name, member in vars(self.model.__class__).items(): if inspect.isfunction(member) and name not in ('run', 'new2old' ) and 'fastaccess' in inspect.getsource(member): lines.append((name, member)) run = vars(self.model.__class__).get('run') if run is not None: lines.append(('run', run)) for name, member in vars(self.model).items(): if inspect.ismethod(member) and 'fastaccess' in inspect.getsource( member): lines.append((name, member)) return lines
listofmodeluserfunctions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = []\n for name, member in vars(self.model.__class__).items():\n if inspect.isfunction(member) and name not in ('run', 'new2old'\n ) and 'fastaccess' in inspect.getsource(member):\n lines.append((name, member))\n run = vars(self.model.__class__).get('run')\n if run is not None:\n lines.append(('run', run))\n for name, member in vars(self.model).items():\n if inspect.ismethod(member) and 'fastaccess' in inspect.getsource(\n member):\n lines.append((name, member))\n return lines\n", "role": "user" }, { "content": "listofmodeluserfunctions", "role": "assistant" } ]
def x(self): code = inspect.getsource(self.func) code = '\n'.join(code.split('"""')[::2]) code = code.replace('modelutils.', '') for name, shortcut in zip(self.collectornames, self.collectorshortcuts): code = code.replace('%s.' % shortcut, 'self.%s.' % name) code = self.remove_linebreaks_within_equations(code) lines = code.splitlines() self.remove_imath_operators(lines) lines[0] = 'def %s(self):' % self.funcname lines = [l.split('#')[0] for l in lines] lines = [l for l in lines if 'fastaccess' not in l] lines = [l.rstrip() for l in lines if l.rstrip()] return Lines(*lines)
cleanlines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n code = inspect.getsource(self.func)\n code = '\\n'.join(code.split('\"\"\"')[::2])\n code = code.replace('modelutils.', '')\n for name, shortcut in zip(self.collectornames, self.collectorshortcuts):\n code = code.replace('%s.' % shortcut, 'self.%s.' % name)\n code = self.remove_linebreaks_within_equations(code)\n lines = code.splitlines()\n self.remove_imath_operators(lines)\n lines[0] = 'def %s(self):' % self.funcname\n lines = [l.split('#')[0] for l in lines]\n lines = [l for l in lines if 'fastaccess' not in l]\n lines = [l.rstrip() for l in lines if l.rstrip()]\n return Lines(*lines)\n", "role": "user" }, { "content": "cleanlines", "role": "assistant" } ]
def x(code): code = code.replace('\\\n', '') chars = [] counter = 0 for char in code: if char in ('(', '[', '{'): counter += 1 elif char in (')', ']', '}'): counter -= 1 if not (counter and char == '\n'): chars.append(char) return ''.join(chars)
remove_linebreaks_within_equations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code):\n code = code.replace('\\\\\\n', '')\n chars = []\n counter = 0\n for char in code:\n if char in ('(', '[', '{'):\n counter += 1\n elif char in (')', ']', '}'):\n counter -= 1\n if not (counter and char == '\\n'):\n chars.append(char)\n return ''.join(chars)\n", "role": "user" }, { "content": "remove_linebreaks_within_equations", "role": "assistant" } ]
def x(lines): for idx, line in enumerate(lines): for operator in ('+=', '-=', '**=', '*=', '//=', '/=', '%='): sublines = line.split(operator) if len(sublines) > 1: indent = line.count(' ') - line.lstrip().count(' ') sublines = [sl.strip() for sl in sublines] line = '%s%s = %s %s (%s)' % (indent * ' ', sublines[0], sublines[0], operator[:-1], sublines[1]) lines[idx] = line
remove_imath_operators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines):\n for idx, line in enumerate(lines):\n for operator in ('+=', '-=', '**=', '*=', '//=', '/=', '%='):\n sublines = line.split(operator)\n if len(sublines) > 1:\n indent = line.count(' ') - line.lstrip().count(' ')\n sublines = [sl.strip() for sl in sublines]\n line = '%s%s = %s %s (%s)' % (indent * ' ', sublines[0],\n sublines[0], operator[:-1], sublines[1])\n lines[idx] = line\n", "role": "user" }, { "content": "remove_imath_operators", "role": "assistant" } ]
def x(self): lines = [(' ' + line) for line in self.cleanlines] lines[0] = lines[0].replace('def ', 'cpdef inline void ') lines[0] = lines[0].replace('):', ') %s:' % _nogil) for name in self.untypedarguments: lines[0] = lines[0].replace(', %s ' % name, ', int %s ' % name) lines[0] = lines[0].replace(', %s)' % name, ', int %s)' % name) for name in self.untypedinternalvarnames: if name.startswith('d_'): lines.insert(1, ' cdef double ' + name) else: lines.insert(1, ' cdef int ' + name) return Lines(*lines)
pyxlines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = [(' ' + line) for line in self.cleanlines]\n lines[0] = lines[0].replace('def ', 'cpdef inline void ')\n lines[0] = lines[0].replace('):', ') %s:' % _nogil)\n for name in self.untypedarguments:\n lines[0] = lines[0].replace(', %s ' % name, ', int %s ' % name)\n lines[0] = lines[0].replace(', %s)' % name, ', int %s)' % name)\n for name in self.untypedinternalvarnames:\n if name.startswith('d_'):\n lines.insert(1, ' cdef double ' + name)\n else:\n lines.insert(1, ' cdef int ' + name)\n return Lines(*lines)\n", "role": "user" }, { "content": "pyxlines", "role": "assistant" } ]
def x(metapar): if metapar <= 0.0: return 0.0 return optimize.newton(_error_smoothpar_logistic2, 0.3 * metapar ** 0.84, _smooth_logistic2_derivative, args=(metapar,))
calc_smoothpar_logistic2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(metapar):\n if metapar <= 0.0:\n return 0.0\n return optimize.newton(_error_smoothpar_logistic2, 0.3 * metapar ** \n 0.84, _smooth_logistic2_derivative, args=(metapar,))\n", "role": "user" }, { "content": "calc_smoothpar_logistic2", "role": "assistant" } ]
def x(cls, array): intarray = numpy.array(array, dtype=int) for dummy in range(1, array.ndim): intarray = intarray[:, 0] return cls(datetime.datetime(*intarray[:6]))
from_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, array):\n intarray = numpy.array(array, dtype=int)\n for dummy in range(1, array.ndim):\n intarray = intarray[:, 0]\n return cls(datetime.datetime(*intarray[:6]))\n", "role": "user" }, { "content": "from_array", "role": "assistant" } ]
def x(self): return numpy.array([self.year, self.month, self.day, self.hour, self. minute, self.second], dtype=float)
to_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return numpy.array([self.year, self.month, self.day, self.hour, self.\n minute, self.second], dtype=float)\n", "role": "user" }, { "content": "to_array", "role": "assistant" } ]
def x(cls, units) ->'Date': try: string = units[units.find('since') + 6:] idx = string.find('.') if idx != -1: jdx = None for jdx, char in enumerate(string[idx + 1:]): if not char.isnumeric(): break if char != '0': raise ValueError( 'No other decimal fraction of a second than "0" allowed.' ) else: if jdx is None: jdx = idx + 1 else: jdx += 1 string = f'{string[:idx]}{string[idx + jdx + 1:]}' return cls(string) except BaseException: objecttools.augment_excmessage( f'While trying to parse the date of the NetCDF-CF "units" string `{units}`' )
from_cfunits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, units) ->'Date':\n try:\n string = units[units.find('since') + 6:]\n idx = string.find('.')\n if idx != -1:\n jdx = None\n for jdx, char in enumerate(string[idx + 1:]):\n if not char.isnumeric():\n break\n if char != '0':\n raise ValueError(\n 'No other decimal fraction of a second than \"0\" allowed.'\n )\n else:\n if jdx is None:\n jdx = idx + 1\n else:\n jdx += 1\n string = f'{string[:idx]}{string[idx + jdx + 1:]}'\n return cls(string)\n except BaseException:\n objecttools.augment_excmessage(\n f'While trying to parse the date of the NetCDF-CF \"units\" string `{units}`'\n )\n", "role": "user" }, { "content": "from_cfunits", "role": "assistant" } ]
def x(self, unit='hours', utcoffset=None): if utcoffset is None: utcoffset = hydpy.pub.options.utcoffset string = self.to_string('iso2', utcoffset) string = ' '.join((string[:-6], string[-6:])) return f'{unit} since {string}'
to_cfunits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, unit='hours', utcoffset=None):\n if utcoffset is None:\n utcoffset = hydpy.pub.options.utcoffset\n string = self.to_string('iso2', utcoffset)\n string = ' '.join((string[:-6], string[-6:]))\n return f'{unit} since {string}'\n", "role": "user" }, { "content": "to_cfunits", "role": "assistant" } ]
def x(self, thing, value): try: value = int(value) except (TypeError, ValueError): raise TypeError( f'Changing the {thing} of a `Date` instance is only allowed via numbers, but the given value `{value}` is of type `{type(value)}` instead.' ) kwargs = {} for unit in ('year', 'month', 'day', 'hour', 'minute', 'second'): kwargs[unit] = getattr(self, unit) kwargs[thing] = value self.datetime = datetime.datetime(**kwargs)
set_thing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, thing, value):\n try:\n value = int(value)\n except (TypeError, ValueError):\n raise TypeError(\n f'Changing the {thing} of a `Date` instance is only allowed via numbers, but the given value `{value}` is of type `{type(value)}` instead.'\n )\n kwargs = {}\n for unit in ('year', 'month', 'day', 'hour', 'minute', 'second'):\n kwargs[unit] = getattr(self, unit)\n kwargs[thing] = value\n self.datetime = datetime.datetime(**kwargs)\n", "role": "user" }, { "content": "set_thing", "role": "assistant" } ]
def x(self): if self.month < self._firstmonth_wateryear: return self.year return self.year + 1
wateryear
[ { "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.month < self._firstmonth_wateryear:\n return self.year\n return self.year + 1\n", "role": "user" }, { "content": "wateryear", "role": "assistant" } ]
def x(self, style=None, utcoffset=None): if not style: style = self.style if utcoffset is None: string = '' date = self.datetime else: sign = '+' if utcoffset >= 0 else '-' hours = abs(utcoffset // 60) minutes = abs(utcoffset % 60) string = f'{sign}{hours:02d}:{minutes:02d}' offset = utcoffset - hydpy.pub.options.utcoffset date = self.datetime + datetime.timedelta(minutes=offset) return date.strftime(self._formatstrings[style]) + string
to_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style=None, utcoffset=None):\n if not style:\n style = self.style\n if utcoffset is None:\n string = ''\n date = self.datetime\n else:\n sign = '+' if utcoffset >= 0 else '-'\n hours = abs(utcoffset // 60)\n minutes = abs(utcoffset % 60)\n string = f'{sign}{hours:02d}:{minutes:02d}'\n offset = utcoffset - hydpy.pub.options.utcoffset\n date = self.datetime + datetime.timedelta(minutes=offset)\n return date.strftime(self._formatstrings[style]) + string\n", "role": "user" }, { "content": "to_string", "role": "assistant" } ]
def x(cls, seconds): try: seconds = int(seconds) except TypeError: seconds = int(seconds.flatten()[0]) return cls(datetime.timedelta(0, int(seconds)))
fromseconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, seconds):\n try:\n seconds = int(seconds)\n except TypeError:\n seconds = int(seconds.flatten()[0])\n return cls(datetime.timedelta(0, int(seconds)))\n", "role": "user" }, { "content": "fromseconds", "role": "assistant" } ]
def x(self): if not self.days % 1: return 'd' elif not self.hours % 1: return 'h' elif not self.minutes % 1: return 'm' elif not self.seconds % 1: return 's' else: raise ValueError( 'The stepsize is not a multiple of one second, which is not allowed.' )
guessunit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.days % 1:\n return 'd'\n elif not self.hours % 1:\n return 'h'\n elif not self.minutes % 1:\n return 'm'\n elif not self.seconds % 1:\n return 's'\n else:\n raise ValueError(\n 'The stepsize is not a multiple of one second, which is not allowed.'\n )\n", "role": "user" }, { "content": "guessunit", "role": "assistant" } ]
def x(cls, array): try: return cls(Date.from_array(array[:6]), Date.from_array(array[6:12]), Period.fromseconds(array[12])) except IndexError: raise IndexError( f'To define a Timegrid instance via an array, 13 numbers are required. However, the given array consist of {len(array)} entries/rows only.' )
from_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, array):\n try:\n return cls(Date.from_array(array[:6]), Date.from_array(array[6:12]),\n Period.fromseconds(array[12]))\n except IndexError:\n raise IndexError(\n f'To define a Timegrid instance via an array, 13 numbers are required. However, the given array consist of {len(array)} entries/rows only.'\n )\n", "role": "user" }, { "content": "from_array", "role": "assistant" } ]
def x(self): values = numpy.empty(13, dtype=float) values[:6] = self.firstdate.to_array() values[6:12] = self.lastdate.to_array() values[12] = self.stepsize.seconds return values
to_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n values = numpy.empty(13, dtype=float)\n values[:6] = self.firstdate.to_array()\n values[6:12] = self.lastdate.to_array()\n values[12] = self.stepsize.seconds\n return values\n", "role": "user" }, { "content": "to_array", "role": "assistant" } ]
def x(cls, timepoints, refdate, unit='hours'): refdate = Date(refdate) unit = Period.from_cfunits(unit) delta = timepoints[1] - timepoints[0] firstdate = refdate + timepoints[0] * unit lastdate = refdate + (timepoints[-1] + delta) * unit stepsize = (lastdate - firstdate) / len(timepoints) return cls(firstdate, lastdate, stepsize)
from_timepoints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, timepoints, refdate, unit='hours'):\n refdate = Date(refdate)\n unit = Period.from_cfunits(unit)\n delta = timepoints[1] - timepoints[0]\n firstdate = refdate + timepoints[0] * unit\n lastdate = refdate + (timepoints[-1] + delta) * unit\n stepsize = (lastdate - firstdate) / len(timepoints)\n return cls(firstdate, lastdate, stepsize)\n", "role": "user" }, { "content": "from_timepoints", "role": "assistant" } ]
def x(self, unit='hours', offset=None): unit = Period.from_cfunits(unit) if offset is None: offset = 0.0 else: try: offset = Period(offset) / unit except TypeError: offset = offset step = self.stepsize / unit nmb = len(self) variable = numpy.linspace(offset, offset + step * (nmb - 1), nmb) return variable
to_timepoints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, unit='hours', offset=None):\n unit = Period.from_cfunits(unit)\n if offset is None:\n offset = 0.0\n else:\n try:\n offset = Period(offset) / unit\n except TypeError:\n offset = offset\n step = self.stepsize / unit\n nmb = len(self)\n variable = numpy.linspace(offset, offset + step * (nmb - 1), nmb)\n return variable\n", "role": "user" }, { "content": "to_timepoints", "role": "assistant" } ]
def x(self, array): try: array = numpy.array(array, dtype=float) except BaseException: objecttools.augment_excmessage( 'While trying to prefix timegrid information to the given array') if len(array) != len(self): raise ValueError( f'When converting an array to a sequence, the lengths of the timegrid and the given array must be equal, but the length of the timegrid object is `{len(self)}` and the length of the array object is `{len(array)}`.' ) shape = list(array.shape) shape[0] += 13 series = numpy.full(shape, numpy.nan) slices = [slice(0, 13)] subshape = [13] for dummy in range(1, series.ndim): slices.append(slice(0, 1)) subshape.append(1) series[tuple(slices)] = self.to_array().reshape(subshape) series[13:] = array return series
array2series
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, array):\n try:\n array = numpy.array(array, dtype=float)\n except BaseException:\n objecttools.augment_excmessage(\n 'While trying to prefix timegrid information to the given array')\n if len(array) != len(self):\n raise ValueError(\n f'When converting an array to a sequence, the lengths of the timegrid and the given array must be equal, but the length of the timegrid object is `{len(self)}` and the length of the array object is `{len(array)}`.'\n )\n shape = list(array.shape)\n shape[0] += 13\n series = numpy.full(shape, numpy.nan)\n slices = [slice(0, 13)]\n subshape = [13]\n for dummy in range(1, series.ndim):\n slices.append(slice(0, 1))\n subshape.append(1)\n series[tuple(slices)] = self.to_array().reshape(subshape)\n series[13:] = array\n return series\n", "role": "user" }, { "content": "array2series", "role": "assistant" } ]
def x(self): if self.firstdate >= self.lastdate: raise ValueError( f'Unplausible timegrid. The first given date {self.firstdate}, the second given date is {self.lastdate}.' ) if (self.lastdate - self.firstdate) % self.stepsize: raise ValueError( f'Unplausible timegrid. The period span between the given dates {self.firstdate} and {self.lastdate} is not a multiple of the given step size {self.stepsize}.' )
verify
[ { "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.firstdate >= self.lastdate:\n raise ValueError(\n f'Unplausible timegrid. The first given date {self.firstdate}, the second given date is {self.lastdate}.'\n )\n if (self.lastdate - self.firstdate) % self.stepsize:\n raise ValueError(\n f'Unplausible timegrid. The period span between the given dates {self.firstdate} and {self.lastdate} is not a multiple of the given step size {self.stepsize}.'\n )\n", "role": "user" }, { "content": "verify", "role": "assistant" } ]
def x(self, prefix, style=None, utcoffset=None): skip = len(prefix) + 9 blanks = ' ' * skip return f"""{prefix}Timegrid('{self.firstdate.to_string(style, utcoffset)}', {blanks}'{self.lastdate.to_string(style, utcoffset)}', {blanks}'{str(self.stepsize)}')"""
assignrepr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prefix, style=None, utcoffset=None):\n skip = len(prefix) + 9\n blanks = ' ' * skip\n return f\"\"\"{prefix}Timegrid('{self.firstdate.to_string(style, utcoffset)}',\n{blanks}'{self.lastdate.to_string(style, utcoffset)}',\n{blanks}'{str(self.stepsize)}')\"\"\"\n", "role": "user" }, { "content": "assignrepr", "role": "assistant" } ]
def x(self): self.init.verify() self.sim.verify() if self.init.firstdate > self.sim.firstdate: raise ValueError( f'The first date of the initialisation period ({self.init.firstdate}) must not be later than the first date of the simulation period ({self.sim.firstdate}).' ) elif self.init.lastdate < self.sim.lastdate: raise ValueError( f'The last date of the initialisation period ({self.init.lastdate}) must not be earlier than the last date of the simulation period ({self.sim.lastdate}).' ) elif self.init.stepsize != self.sim.stepsize: raise ValueError( f'The initialization stepsize ({self.init.stepsize}) must be identical with the simulation stepsize ({self.sim.stepsize}).' ) else: try: self.init[self.sim.firstdate] except ValueError: raise ValueError( 'The simulation time grid is not properly alligned on the initialization time grid.' )
verify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.init.verify()\n self.sim.verify()\n if self.init.firstdate > self.sim.firstdate:\n raise ValueError(\n f'The first date of the initialisation period ({self.init.firstdate}) must not be later than the first date of the simulation period ({self.sim.firstdate}).'\n )\n elif self.init.lastdate < self.sim.lastdate:\n raise ValueError(\n f'The last date of the initialisation period ({self.init.lastdate}) must not be earlier than the last date of the simulation period ({self.sim.lastdate}).'\n )\n elif self.init.stepsize != self.sim.stepsize:\n raise ValueError(\n f'The initialization stepsize ({self.init.stepsize}) must be identical with the simulation stepsize ({self.sim.stepsize}).'\n )\n else:\n try:\n self.init[self.sim.firstdate]\n except ValueError:\n raise ValueError(\n 'The simulation time grid is not properly alligned on the initialization time grid.'\n )\n", "role": "user" }, { "content": "verify", "role": "assistant" } ]
def x(self, prefix): caller = 'Timegrids(' blanks = ' ' * (len(prefix) + len(caller)) prefix = f'{prefix}{caller}' lines = [f'{self.init.assignrepr(prefix)},'] if self.sim != self.init: lines.append(f'{self.sim.assignrepr(blanks)},') lines[-1] = lines[-1][:-1] + ')' return '\n'.join(lines)
assignrepr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prefix):\n caller = 'Timegrids('\n blanks = ' ' * (len(prefix) + len(caller))\n prefix = f'{prefix}{caller}'\n lines = [f'{self.init.assignrepr(prefix)},']\n if self.sim != self.init:\n lines.append(f'{self.sim.assignrepr(blanks)},')\n lines[-1] = lines[-1][:-1] + ')'\n return '\\n'.join(lines)\n", "role": "user" }, { "content": "assignrepr", "role": "assistant" } ]
def x(self): return int((Date(self).datetime - self._STARTDATE.datetime).total_seconds() )
seconds_passed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return int((Date(self).datetime - self._STARTDATE.datetime).total_seconds()\n )\n", "role": "user" }, { "content": "seconds_passed", "role": "assistant" } ]
def x(self): return int((self._ENDDATE.datetime - Date(self).datetime).total_seconds())
seconds_left
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return int((self._ENDDATE.datetime - Date(self).datetime).total_seconds())\n", "role": "user" }, { "content": "seconds_left", "role": "assistant" } ]
def x(cls, simulationstep): simulationstep = Period(simulationstep) return Timegrid(cls._STARTDATE + simulationstep / 2, cls._ENDDATE + simulationstep / 2, simulationstep)
centred_timegrid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, simulationstep):\n simulationstep = Period(simulationstep)\n return Timegrid(cls._STARTDATE + simulationstep / 2, cls._ENDDATE + \n simulationstep / 2, simulationstep)\n", "role": "user" }, { "content": "centred_timegrid", "role": "assistant" } ]
def x(self): names = set() for thing in (list(inspect.getmro(type(self))) + [self]): for key in vars(thing).keys(): if hydpy.pub.options.dirverbose or not key.startswith('_'): names.add(key) if names: names = list(names) else: names = [' '] return names
dir_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n names = set()\n for thing in (list(inspect.getmro(type(self))) + [self]):\n for key in vars(thing).keys():\n if hydpy.pub.options.dirverbose or not key.startswith('_'):\n names.add(key)\n if names:\n names = list(names)\n else:\n names = [' ']\n return names\n", "role": "user" }, { "content": "dir_", "role": "assistant" } ]
def x(self): if inspect.isclass(self): string = str(self) else: string = str(type(self)) try: string = string.split("'")[1] except IndexError: pass return string.split('.')[-1]
classname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if inspect.isclass(self):\n string = str(self)\n else:\n string = str(type(self))\n try:\n string = string.split(\"'\")[1]\n except IndexError:\n pass\n return string.split('.')[-1]\n", "role": "user" }, { "content": "classname", "role": "assistant" } ]
def x(self): cls = type(self) try: return cls.__dict__['_name'] except KeyError: setattr(cls, '_name', instancename(self)) return cls.__dict__['_name']
name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cls = type(self)\n try:\n return cls.__dict__['_name']\n except KeyError:\n setattr(cls, '_name', instancename(self))\n return cls.__dict__['_name']\n", "role": "user" }, { "content": "name", "role": "assistant" } ]
def x(string): string = str(string) try: exec('%s = None' % string) if string in dir(builtins): raise SyntaxError() except SyntaxError: raise ValueError( 'The given name string `%s` does not define a valid variable identifier. Valid identifiers do not contain characters like `-` or empty spaces, do not start with numbers, cannot be mistaken with Python built-ins like `for`...)' % string)
valid_variable_identifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string):\n string = str(string)\n try:\n exec('%s = None' % string)\n if string in dir(builtins):\n raise SyntaxError()\n except SyntaxError:\n raise ValueError(\n 'The given name string `%s` does not define a valid variable identifier. Valid identifiers do not contain characters like `-` or empty spaces, do not start with numbers, cannot be mistaken with Python built-ins like `for`...)'\n % string)\n", "role": "user" }, { "content": "valid_variable_identifier", "role": "assistant" } ]
def x(prefix=None, suffix=None) ->NoReturn: exc_old = sys.exc_info()[1] message = str(exc_old) if prefix is not None: message = f'{prefix}, the following error occurred: {message}' if suffix is not None: message = f'{message} {suffix}' try: exc_new = type(exc_old)(message) except BaseException: exc_name = str(type(exc_old)).split("'")[1] exc_type = type(exc_name, (BaseException,), {}) exc_type.__module = exc_old.__module__ raise exc_type(message) from exc_old raise exc_new from exc_old
augment_excmessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix=None, suffix=None) ->NoReturn:\n exc_old = sys.exc_info()[1]\n message = str(exc_old)\n if prefix is not None:\n message = f'{prefix}, the following error occurred: {message}'\n if suffix is not None:\n message = f'{message} {suffix}'\n try:\n exc_new = type(exc_old)(message)\n except BaseException:\n exc_name = str(type(exc_old)).split(\"'\")[1]\n exc_type = type(exc_name, (BaseException,), {})\n exc_type.__module = exc_old.__module__\n raise exc_type(message) from exc_old\n raise exc_new from exc_old\n", "role": "user" }, { "content": "augment_excmessage", "role": "assistant" } ]
def x(description) ->Callable: @wrapt.decorator def x(wrapped, instance, args, kwargs): try: return wrapped(*args, **kwargs) except BaseException: info = kwargs.copy() info['self'] = instance argnames = inspect.getfullargspec(wrapped).args if argnames[0] == 'self': argnames = argnames[1:] for argname, arg in zip(argnames, args): info[argname] = arg for argname in argnames: if argname not in info: info[argname] = '?' message = eval(f"f'While trying to {description}'", globals(), info ) augment_excmessage(message) return wrapper
excmessage_decorator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(description) ->Callable:\n\n @wrapt.decorator\n def x(wrapped, instance, args, kwargs):\n try:\n return wrapped(*args, **kwargs)\n except BaseException:\n info = kwargs.copy()\n info['self'] = instance\n argnames = inspect.getfullargspec(wrapped).args\n if argnames[0] == 'self':\n argnames = argnames[1:]\n for argname, arg in zip(argnames, args):\n info[argname] = arg\n for argname in argnames:\n if argname not in info:\n info[argname] = '?'\n message = eval(f\"f'While trying to {description}'\", globals(), info\n )\n augment_excmessage(message)\n return wrapper\n", "role": "user" }, { "content": "excmessage_decorator", "role": "assistant" } ]
def x(values, width=70): for line in textwrap.wrap(repr_values(values), width=width): print(line)
print_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, width=70):\n for line in textwrap.wrap(repr_values(values), width=width):\n print(line)\n", "role": "user" }, { "content": "print_values", "role": "assistant" } ]
def x(values, prefix, width=None, _fakeend=0): ellipsis_ = hydpy.pub.options.ellipsis if ellipsis_ > 0 and len(values) > 2 * ellipsis_: string = repr_values(values[:ellipsis_]) + ', ...,' + repr_values( values[-ellipsis_:]) else: string = repr_values(values) blanks = ' ' * len(prefix) if width is None: wrapped = [string] _fakeend = 0 else: width -= len(prefix) wrapped = textwrap.wrap(string + '_' * _fakeend, width) if not wrapped: wrapped = [''] lines = [] for idx, line in enumerate(wrapped): if idx == 0: lines.append('%s%s' % (prefix, line)) else: lines.append('%s%s' % (blanks, line)) string = '\n'.join(lines) return string[:len(string) - _fakeend]
assignrepr_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, prefix, width=None, _fakeend=0):\n ellipsis_ = hydpy.pub.options.ellipsis\n if ellipsis_ > 0 and len(values) > 2 * ellipsis_:\n string = repr_values(values[:ellipsis_]) + ', ...,' + repr_values(\n values[-ellipsis_:])\n else:\n string = repr_values(values)\n blanks = ' ' * len(prefix)\n if width is None:\n wrapped = [string]\n _fakeend = 0\n else:\n width -= len(prefix)\n wrapped = textwrap.wrap(string + '_' * _fakeend, width)\n if not wrapped:\n wrapped = ['']\n lines = []\n for idx, line in enumerate(wrapped):\n if idx == 0:\n lines.append('%s%s' % (prefix, line))\n else:\n lines.append('%s%s' % (blanks, line))\n string = '\\n'.join(lines)\n return string[:len(string) - _fakeend]\n", "role": "user" }, { "content": "assignrepr_values", "role": "assistant" } ]
def x(values, prefix): lines = [] blanks = ' ' * len(prefix) for idx, subvalues in enumerate(values): if idx == 0: lines.append('%s%s,' % (prefix, repr_values(subvalues))) else: lines.append('%s%s,' % (blanks, repr_values(subvalues))) lines[-1] = lines[-1][:-1] return '\n'.join(lines)
assignrepr_values2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, prefix):\n lines = []\n blanks = ' ' * len(prefix)\n for idx, subvalues in enumerate(values):\n if idx == 0:\n lines.append('%s%s,' % (prefix, repr_values(subvalues)))\n else:\n lines.append('%s%s,' % (blanks, repr_values(subvalues)))\n lines[-1] = lines[-1][:-1]\n return '\\n'.join(lines)\n", "role": "user" }, { "content": "assignrepr_values2", "role": "assistant" } ]
def x(assignrepr_bracketed1, values, prefix, width=None): brackets = getattr(assignrepr_bracketed1, '_brackets') prefix += brackets[0] lines = [] blanks = ' ' * len(prefix) for idx, subvalues in enumerate(values): if idx == 0: lines.append(assignrepr_bracketed1(subvalues, prefix, width)) else: lines.append(assignrepr_bracketed1(subvalues, blanks, width)) lines[-1] += ',' if len(values) > 1 or brackets != '()': lines[-1] = lines[-1][:-1] lines[-1] += brackets[1] return '\n'.join(lines)
assignrepr_bracketed2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(assignrepr_bracketed1, values, prefix, width=None):\n brackets = getattr(assignrepr_bracketed1, '_brackets')\n prefix += brackets[0]\n lines = []\n blanks = ' ' * len(prefix)\n for idx, subvalues in enumerate(values):\n if idx == 0:\n lines.append(assignrepr_bracketed1(subvalues, prefix, width))\n else:\n lines.append(assignrepr_bracketed1(subvalues, blanks, width))\n lines[-1] += ','\n if len(values) > 1 or brackets != '()':\n lines[-1] = lines[-1][:-1]\n lines[-1] += brackets[1]\n return '\\n'.join(lines)\n", "role": "user" }, { "content": "assignrepr_bracketed2", "role": "assistant" } ]
def x(values, decimals=None, width=0, lfill=None, rfill=None, **kwargs): if decimals is None: decimals = hydpy.pub.options.reprdigits with hydpy.pub.options.reprdigits(decimals): if isinstance(values, abctools.IterableNonStringABC): string = repr_values(values) else: string = repr_(values) if lfill is not None and rfill is not None: raise ValueError( 'For function `round_` values are passed for both arguments `lfill` and `rfill`. This is not allowed.' ) if lfill is not None or rfill is not None: width = max(width, len(string)) if lfill is not None: string = string.rjust(width, lfill) else: string = string.ljust(width, rfill) print(string, **kwargs)
round_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, decimals=None, width=0, lfill=None, rfill=None, **kwargs):\n if decimals is None:\n decimals = hydpy.pub.options.reprdigits\n with hydpy.pub.options.reprdigits(decimals):\n if isinstance(values, abctools.IterableNonStringABC):\n string = repr_values(values)\n else:\n string = repr_(values)\n if lfill is not None and rfill is not None:\n raise ValueError(\n 'For function `round_` values are passed for both arguments `lfill` and `rfill`. This is not allowed.'\n )\n if lfill is not None or rfill is not None:\n width = max(width, len(string))\n if lfill is not None:\n string = string.rjust(width, lfill)\n else:\n string = string.ljust(width, rfill)\n print(string, **kwargs)\n", "role": "user" }, { "content": "round_", "role": "assistant" } ]
def x(values, types, skip=False): if isinstance(values, types): yield values elif skip and values is None: return else: try: for value in values: for subvalue in extract(value, types, skip): yield subvalue except TypeError as exc: if exc.args[0].startswith('The given value'): raise exc else: raise TypeError( f'The given value `{repr(values)}` is neither iterable nor an instance of the following classes: {enumeration(types, converter=instancename)}.' )
extract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, types, skip=False):\n if isinstance(values, types):\n yield values\n elif skip and values is None:\n return\n else:\n try:\n for value in values:\n for subvalue in extract(value, types, skip):\n yield subvalue\n except TypeError as exc:\n if exc.args[0].startswith('The given value'):\n raise exc\n else:\n raise TypeError(\n f'The given value `{repr(values)}` is neither iterable nor an instance of the following classes: {enumeration(types, converter=instancename)}.'\n )\n", "role": "user" }, { "content": "extract", "role": "assistant" } ]
def x(values, converter=str, default=''): values = tuple(converter(value) for value in values) if not values: return default if len(values) == 1: return values[0] if len(values) == 2: return ' and '.join(values) return ', and '.join((', '.join(values[:-1]), values[-1]))
enumeration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, converter=str, default=''):\n values = tuple(converter(value) for value in values)\n if not values:\n return default\n if len(values) == 1:\n return values[0]\n if len(values) == 2:\n return ' and '.join(values)\n return ', and '.join((', '.join(values[:-1]), values[-1]))\n", "role": "user" }, { "content": "enumeration", "role": "assistant" } ]
def x(self, lower=None, upper=None): if upper is None: control = self.subseqs.seqs.model.parameters.control upper = control.icmax hland_sequences.State1DSequence.trim(self, lower, upper)
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lower=None, upper=None):\n if upper is None:\n control = self.subseqs.seqs.model.parameters.control\n upper = control.icmax\n hland_sequences.State1DSequence.trim(self, lower, upper)\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(self, lower=None, upper=None): whc = self.subseqs.seqs.model.parameters.control.whc wc = self.subseqs.wc if lower is None: if wc.values is not None: with numpy.errstate(divide='ignore', invalid='ignore'): lower = numpy.clip(wc.values / whc.values, 0.0, numpy.inf) else: lower = 0.0 hland_sequences.State1DSequence.trim(self, lower, upper)
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lower=None, upper=None):\n whc = self.subseqs.seqs.model.parameters.control.whc\n wc = self.subseqs.wc\n if lower is None:\n if wc.values is not None:\n with numpy.errstate(divide='ignore', invalid='ignore'):\n lower = numpy.clip(wc.values / whc.values, 0.0, numpy.inf)\n else:\n lower = 0.0\n hland_sequences.State1DSequence.trim(self, lower, upper)\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(self, lower=None, upper=None): whc = self.subseqs.seqs.model.parameters.control.whc sp = self.subseqs.sp if upper is None and sp.values is not None: upper = whc * sp hland_sequences.State1DSequence.trim(self, lower, upper)
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lower=None, upper=None):\n whc = self.subseqs.seqs.model.parameters.control.whc\n sp = self.subseqs.sp\n if upper is None and sp.values is not None:\n upper = whc * sp\n hland_sequences.State1DSequence.trim(self, lower, upper)\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(self, lower=None, upper=None): if upper is None: control = self.subseqs.seqs.model.parameters.control if not any(control.zonetype.values == ILAKE): lower = 0.0 sequencetools.StateSequence.trim(self, lower, upper)
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lower=None, upper=None):\n if upper is None:\n control = self.subseqs.seqs.model.parameters.control\n if not any(control.zonetype.values == ILAKE):\n lower = 0.0\n sequencetools.StateSequence.trim(self, lower, upper)\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(self, idx): for subseqs in self: if isinstance(subseqs, abctools.InputSequencesABC): subseqs.load_data(idx)
load_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n for subseqs in self:\n if isinstance(subseqs, abctools.InputSequencesABC):\n subseqs.load_data(idx)\n", "role": "user" }, { "content": "load_data", "role": "assistant" } ]
def x(self, idx): for subseqs in self: if isinstance(subseqs, abctools.OutputSequencesABC): subseqs.save_data(idx)
save_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n for subseqs in self:\n if isinstance(subseqs, abctools.OutputSequencesABC):\n subseqs.save_data(idx)\n", "role": "user" }, { "content": "save_data", "role": "assistant" } ]
def x(self) ->Dict[str, Dict[str, Union[float, numpy.ndarray]]]: conditions = {} for subname in NAMES_CONDITIONSEQUENCES: subseqs = getattr(self, subname, ()) subconditions = {seq.name: copy.deepcopy(seq.values) for seq in subseqs } if subconditions: conditions[subname] = subconditions return conditions
conditions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Dict[str, Dict[str, Union[float, numpy.ndarray]]]:\n conditions = {}\n for subname in NAMES_CONDITIONSEQUENCES:\n subseqs = getattr(self, subname, ())\n subconditions = {seq.name: copy.deepcopy(seq.values) for seq in subseqs\n }\n if subconditions:\n conditions[subname] = subconditions\n return conditions\n", "role": "user" }, { "content": "conditions", "role": "assistant" } ]
def x(self, filename=None): if self.hasconditions: if not filename: filename = self._conditiondefaultfilename namespace = locals() for seq in self.conditionsequences: namespace[seq.name] = seq namespace['model'] = self code = hydpy.pub.conditionmanager.load_file(filename) try: exec(code) except BaseException: objecttools.augment_excmessage( 'While trying to gather initial conditions of element %s' % objecttools.devicename(self))
load_conditions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n if self.hasconditions:\n if not filename:\n filename = self._conditiondefaultfilename\n namespace = locals()\n for seq in self.conditionsequences:\n namespace[seq.name] = seq\n namespace['model'] = self\n code = hydpy.pub.conditionmanager.load_file(filename)\n try:\n exec(code)\n except BaseException:\n objecttools.augment_excmessage(\n 'While trying to gather initial conditions of element %s' %\n objecttools.devicename(self))\n", "role": "user" }, { "content": "load_conditions", "role": "assistant" } ]
def x(self, filename=None): if self.hasconditions: if filename is None: filename = self._conditiondefaultfilename con = hydpy.pub.controlmanager lines = ['# -*- coding: utf-8 -*-\n\n', 'from hydpy.models.%s import *\n\n' % self.model, """controlcheck(projectdir="%s", controldir="%s") """ % (con. projectdir, con.currentdir)] for seq in self.conditionsequences: lines.append(repr(seq) + '\n') hydpy.pub.conditionmanager.save_file(filename, ''.join(lines))
save_conditions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n if self.hasconditions:\n if filename is None:\n filename = self._conditiondefaultfilename\n con = hydpy.pub.controlmanager\n lines = ['# -*- coding: utf-8 -*-\\n\\n', \n 'from hydpy.models.%s import *\\n\\n' % self.model, \n \"\"\"controlcheck(projectdir=\"%s\", controldir=\"%s\")\n\n\"\"\" % (con.\n projectdir, con.currentdir)]\n for seq in self.conditionsequences:\n lines.append(repr(seq) + '\\n')\n hydpy.pub.conditionmanager.save_file(filename, ''.join(lines))\n", "role": "user" }, { "content": "save_conditions", "role": "assistant" } ]
def x(self): try: return hydpy.pub.sequencemanager.tempdirpath except RuntimeError: raise RuntimeError( f'For sequence {objecttools.devicephrase(self)} the directory of the internal data file cannot be determined. Either set it manually or prepare `pub.sequencemanager` correctly.' )
dirpath_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n return hydpy.pub.sequencemanager.tempdirpath\n except RuntimeError:\n raise RuntimeError(\n f'For sequence {objecttools.devicephrase(self)} the directory of the internal data file cannot be determined. Either set it manually or prepare `pub.sequencemanager` correctly.'\n )\n", "role": "user" }, { "content": "dirpath_int", "role": "assistant" } ]
def x(self): values = self.series self.deactivate_disk() self.ramflag = True self.__set_array(values) self.update_fastaccess()
disk2ram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n values = self.series\n self.deactivate_disk()\n self.ramflag = True\n self.__set_array(values)\n self.update_fastaccess()\n", "role": "user" }, { "content": "disk2ram", "role": "assistant" } ]
def x(self): values = self.series self.deactivate_ram() self.diskflag = True self._save_int(values) self.update_fastaccess()
ram2disk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n values = self.series\n self.deactivate_ram()\n self.diskflag = True\n self._save_int(values)\n self.update_fastaccess()\n", "role": "user" }, { "content": "ram2disk", "role": "assistant" } ]
def x(self): seriesshape = [len(hydpy.pub.timegrids.init)] seriesshape.extend(self.shape) return tuple(seriesshape)
seriesshape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n seriesshape = [len(hydpy.pub.timegrids.init)]\n seriesshape.extend(self.shape)\n return tuple(seriesshape)\n", "role": "user" }, { "content": "seriesshape", "role": "assistant" } ]
def x(self): try: numericshape = [self.subseqs.seqs.model.numconsts.nmb_stages] except AttributeError: objecttools.augment_excmessage( 'The `numericshape` of a sequence like `%s` depends on the configuration of the actual integration algorithm. While trying to query the required configuration data `nmb_stages` of the model associated with element `%s`' % (self.name, objecttools.devicename(self))) numericshape.extend(self.shape) return tuple(numericshape)
numericshape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n numericshape = [self.subseqs.seqs.model.numconsts.nmb_stages]\n except AttributeError:\n objecttools.augment_excmessage(\n 'The `numericshape` of a sequence like `%s` depends on the configuration of the actual integration algorithm. While trying to query the required configuration data `nmb_stages` of the model associated with element `%s`'\n % (self.name, objecttools.devicename(self)))\n numericshape.extend(self.shape)\n return tuple(numericshape)\n", "role": "user" }, { "content": "numericshape", "role": "assistant" } ]
def x(self) ->InfoArray: if self.diskflag: array = self._load_int() elif self.ramflag: array = self.__get_array() else: raise AttributeError( f'Sequence {objecttools.devicephrase(self)} is not requested to make any internal data available to the user.' ) return InfoArray(array, info={'type': 'unmodified'})
series
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->InfoArray:\n if self.diskflag:\n array = self._load_int()\n elif self.ramflag:\n array = self.__get_array()\n else:\n raise AttributeError(\n f'Sequence {objecttools.devicephrase(self)} is not requested to make any internal data available to the user.'\n )\n return InfoArray(array, info={'type': 'unmodified'})\n", "role": "user" }, { "content": "series", "role": "assistant" } ]
def x(self): try: sequencemanager = hydpy.pub.sequencemanager except AttributeError: raise RuntimeError( 'The time series of sequence %s cannot be loaded. Firstly, you have to prepare `pub.sequencemanager` correctly.' % objecttools.devicephrase(self)) sequencemanager.load_file(self)
load_ext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n sequencemanager = hydpy.pub.sequencemanager\n except AttributeError:\n raise RuntimeError(\n 'The time series of sequence %s cannot be loaded. Firstly, you have to prepare `pub.sequencemanager` correctly.'\n % objecttools.devicephrase(self))\n sequencemanager.load_file(self)\n", "role": "user" }, { "content": "load_ext", "role": "assistant" } ]
def x(self, timegrid, values): idxs = [timegrid[hydpy.pub.timegrids.init.firstdate], timegrid[hydpy. pub.timegrids.init.lastdate]] valcopy = values values = numpy.full(self.seriesshape, self.initinfo[0]) len_ = len(valcopy) jdxs = [] for idx in idxs: if idx < 0: jdxs.append(0) elif idx <= len_: jdxs.append(idx) else: jdxs.append(len_) valcopy = valcopy[jdxs[0]:jdxs[1]] zdx1 = max(-idxs[0], 0) zdx2 = zdx1 + jdxs[1] - jdxs[0] values[zdx1:zdx2] = valcopy return values
adjust_short_series
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timegrid, values):\n idxs = [timegrid[hydpy.pub.timegrids.init.firstdate], timegrid[hydpy.\n pub.timegrids.init.lastdate]]\n valcopy = values\n values = numpy.full(self.seriesshape, self.initinfo[0])\n len_ = len(valcopy)\n jdxs = []\n for idx in idxs:\n if idx < 0:\n jdxs.append(0)\n elif idx <= len_:\n jdxs.append(idx)\n else:\n jdxs.append(len_)\n valcopy = valcopy[jdxs[0]:jdxs[1]]\n zdx1 = max(-idxs[0], 0)\n zdx2 = zdx1 + jdxs[1] - jdxs[0]\n values[zdx1:zdx2] = valcopy\n return values\n", "role": "user" }, { "content": "adjust_short_series", "role": "assistant" } ]
def x(self): if hydpy.pub.options.checkseries: isnan = numpy.isnan(self.series) if numpy.any(isnan): nmb = numpy.sum(isnan) valuestring = 'value' if nmb == 1 else 'values' raise RuntimeError( f'The series array of sequence {objecttools.devicephrase(self)} contains {nmb} nan {valuestring}.' )
check_completeness
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if hydpy.pub.options.checkseries:\n isnan = numpy.isnan(self.series)\n if numpy.any(isnan):\n nmb = numpy.sum(isnan)\n valuestring = 'value' if nmb == 1 else 'values'\n raise RuntimeError(\n f'The series array of sequence {objecttools.devicephrase(self)} contains {nmb} nan {valuestring}.'\n )\n", "role": "user" }, { "content": "check_completeness", "role": "assistant" } ]
def x(self): try: sequencemanager = hydpy.pub.sequencemanager except AttributeError: raise RuntimeError( 'The time series of sequence %s cannot be saved. Firstly,you have to prepare `pub.sequencemanager` correctly.' % objecttools.devicephrase(self)) sequencemanager.save_file(self)
save_ext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n sequencemanager = hydpy.pub.sequencemanager\n except AttributeError:\n raise RuntimeError(\n 'The time series of sequence %s cannot be saved. Firstly,you have to prepare `pub.sequencemanager` correctly.'\n % objecttools.devicephrase(self))\n sequencemanager.save_file(self)\n", "role": "user" }, { "content": "save_ext", "role": "assistant" } ]
def x(self): values = numpy.fromfile(self.filepath_int) if self.NDIM > 0: values = values.reshape(self.seriesshape) return values
load_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n values = numpy.fromfile(self.filepath_int)\n if self.NDIM > 0:\n values = values.reshape(self.seriesshape)\n return values\n", "role": "user" }, { "content": "load_int", "role": "assistant" } ]
def x(self, *args, **kwargs) ->InfoArray: try: if not self.NDIM: array = self.series else: mask = self.get_submask(*args, **kwargs) if numpy.any(mask): weights = self.refweights[mask] weights /= numpy.sum(weights) series = self.series[:, mask] axes = tuple(range(1, self.NDIM + 1)) array = numpy.sum(weights * series, axis=axes) else: return numpy.nan return InfoArray(array, info={'type': 'mean'}) except BaseException: objecttools.augment_excmessage( 'While trying to calculate the mean value of the internal time series of sequence %s' % objecttools.devicephrase(self))
average_series
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs) ->InfoArray:\n try:\n if not self.NDIM:\n array = self.series\n else:\n mask = self.get_submask(*args, **kwargs)\n if numpy.any(mask):\n weights = self.refweights[mask]\n weights /= numpy.sum(weights)\n series = self.series[:, mask]\n axes = tuple(range(1, self.NDIM + 1))\n array = numpy.sum(weights * series, axis=axes)\n else:\n return numpy.nan\n return InfoArray(array, info={'type': 'mean'})\n except BaseException:\n objecttools.augment_excmessage(\n 'While trying to calculate the mean value of the internal time series of sequence %s'\n % objecttools.devicephrase(self))\n", "role": "user" }, { "content": "average_series", "role": "assistant" } ]
def x(self, *args, **kwargs) ->InfoArray: mode = self.aggregation_ext if mode == 'none': return self.series elif mode == 'mean': return self.average_series(*args, **kwargs) else: raise RuntimeError('Unknown aggregation mode `%s` for sequence %s.' % (mode, objecttools.devicephrase(self)))
aggregate_series
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs) ->InfoArray:\n mode = self.aggregation_ext\n if mode == 'none':\n return self.series\n elif mode == 'mean':\n return self.average_series(*args, **kwargs)\n else:\n raise RuntimeError('Unknown aggregation mode `%s` for sequence %s.' %\n (mode, objecttools.devicephrase(self)))\n", "role": "user" }, { "content": "aggregate_series", "role": "assistant" } ]
def x(self): value = getattr(self.fastaccess_old, self.name, None) if value is None: raise RuntimeError( 'No value/values of sequence %s has/have not been defined so far.' % objecttools.elementphrase(self)) else: if self.NDIM: value = numpy.asarray(value) return value
old
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n value = getattr(self.fastaccess_old, self.name, None)\n if value is None:\n raise RuntimeError(\n 'No value/values of sequence %s has/have not been defined so far.'\n % objecttools.elementphrase(self))\n else:\n if self.NDIM:\n value = numpy.asarray(value)\n return value\n", "role": "user" }, { "content": "old", "role": "assistant" } ]
def x(self): try: super().load_ext() except BaseException: if hydpy.pub.options.warnmissingsimfile: warnings.warn(str(sys.exc_info()[1]))
load_ext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n super().load_ext()\n except BaseException:\n if hydpy.pub.options.warnmissingsimfile:\n warnings.warn(str(sys.exc_info()[1]))\n", "role": "user" }, { "content": "load_ext", "role": "assistant" } ]