source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(cls, cookie_dict, ignore_bad_attributes=True): name = cookie_dict.get('name', None) if not name: raise InvalidCookieError('Cookie must have name') raw_value = cookie_dict.get('value', '') value = cls.attribute_parsers['value'](raw_value) cookie = cls(name, value) parsed = {} for key, value in cookie_dict.items(): if key in ('name', 'value'): continue parser = cls.attribute_parsers.get(key) if not parser: if not ignore_bad_attributes: raise InvalidCookieAttributeError(key, value, "unknown cookie attribute '%s'" % key) _report_unknown_attribute(key) continue try: parsed_value = parser(value) except Exception as e: reason = 'did not parse with %r: %r' % (parser, e) if not ignore_bad_attributes: raise InvalidCookieAttributeError(key, value, reason) _report_invalid_attribute(key, value, reason) parsed_value = '' parsed[key] = parsed_value cookie._set_attributes(parsed, ignore_bad_attributes) return cookie
from_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, cookie_dict, ignore_bad_attributes=True):\n name = cookie_dict.get('name', None)\n if not name:\n raise InvalidCookieError('Cookie must have ...
def x(cls, line, ignore_bad_cookies=False, ignore_bad_attributes=True): cookie_dict = parse_one_response(line, ignore_bad_cookies= ignore_bad_cookies, ignore_bad_attributes=ignore_bad_attributes) if not cookie_dict: return None return cls.from_dict(cookie_dict, ignore_bad_attributes= ignore_bad_attributes)
from_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, line, ignore_bad_cookies=False, ignore_bad_attributes=True):\n cookie_dict = parse_one_response(line, ignore_bad_cookies=\n ignore_bad_cookies, ...
def x(self, name, value): validator = self.attribute_validators.get(name, None) if validator: return True if validator(value) else False return True
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, value):\n validator = self.attribute_validators.get(name, None)\n if validator:\n return True if validator(value) else False\n retu...
def x(self): dictionary = {} for python_attr_name, cookie_attr_name in self.attribute_names.items(): value = getattr(self, python_attr_name) renderer = self.attribute_renderers.get(python_attr_name, None) if renderer: value = renderer(value) if not value: continue dictionary[cookie_attr_name] = value return dictionary
attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dictionary = {}\n for python_attr_name, cookie_attr_name in self.attribute_names.items():\n value = getattr(self, python_attr_name)\n ...
def x(self): name, value = self.name, self.value renderer = self.attribute_renderers.get('name', None) if renderer: name = renderer(name) renderer = self.attribute_renderers.get('value', None) if renderer: value = renderer(value) return ''.join((name, '=', value))
render_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n name, value = self.name, self.value\n renderer = self.attribute_renderers.get('name', None)\n if renderer:\n name = renderer(name)\n ...
def x(self): name, value = self.name, self.value renderer = self.attribute_renderers.get('name', None) if renderer: name = renderer(name) renderer = self.attribute_renderers.get('value', None) if renderer: value = renderer(value) return '; '.join(['{0}={1}'.format(name, value)] + [(key if isinstance( val, bool) else '='.join((key, val))) for key, val in self. attributes().items()])
render_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n name, value = self.name, self.value\n renderer = self.attribute_renderers.get('name', None)\n if renderer:\n name = renderer(name)\n ...
def x(self, *args, **kwargs): for cookie in args: self.all_cookies.append(cookie) if cookie.name in self: continue self[cookie.name] = cookie for key, value in kwargs.items(): cookie = self.cookie_class(key, value) self.all_cookies.append(cookie) if key in self: continue self[key] = cookie
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n for cookie in args:\n self.all_cookies.append(cookie)\n if cookie.name in self:\n continue\n self[...
def x(self, header_data, ignore_bad_cookies=False): cookies_dict = _parse_request(header_data, ignore_bad_cookies= ignore_bad_cookies) cookie_objects = [] for name, values in cookies_dict.items(): for value in values: cookie_dict = {'name': name, 'value': value} try: cookie = self.cookie_class.from_dict(cookie_dict) except InvalidCookieError: if not ignore_bad_cookies: raise else: cookie_objects.append(cookie) try: self.add(*cookie_objects) except InvalidCookieError: if not ignore_bad_cookies: raise _report_invalid_cookie(header_data) return self
parse_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header_data, ignore_bad_cookies=False):\n cookies_dict = _parse_request(header_data, ignore_bad_cookies=\n ignore_bad_cookies)\n cookie_obje...
def x(self, header_data, ignore_bad_cookies=False, ignore_bad_attributes=True): cookie_dicts = _parse_response(header_data, ignore_bad_cookies= ignore_bad_cookies, ignore_bad_attributes=ignore_bad_attributes) cookie_objects = [] for cookie_dict in cookie_dicts: cookie = self.cookie_class.from_dict(cookie_dict) cookie_objects.append(cookie) self.add(*cookie_objects) return self
parse_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header_data, ignore_bad_cookies=False, ignore_bad_attributes=True):\n cookie_dicts = _parse_response(header_data, ignore_bad_cookies=\n ignore_...
def x(cls, header_data, ignore_bad_cookies=False): cookies = cls() cookies.parse_request(header_data, ignore_bad_cookies=ignore_bad_cookies) return cookies
from_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, header_data, ignore_bad_cookies=False):\n cookies = cls()\n cookies.parse_request(header_data, ignore_bad_cookies=ignore_bad_cookies)\n return co...
def x(cls, header_data, ignore_bad_cookies=False, ignore_bad_attributes=True): cookies = cls() cookies.parse_response(header_data, ignore_bad_cookies= ignore_bad_cookies, ignore_bad_attributes=ignore_bad_attributes) return cookies
from_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, header_data, ignore_bad_cookies=False, ignore_bad_attributes=True):\n cookies = cls()\n cookies.parse_response(header_data, ignore_bad_cookies=\n ...
def x(self, sort=True): if not sort: return '; '.join(cookie.render_request() for cookie in self.values()) return '; '.join(sorted(cookie.render_request() for cookie in self. values()))
render_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sort=True):\n if not sort:\n return '; '.join(cookie.render_request() for cookie in self.values())\n return '; '.join(sorted(cookie.render_r...
def x(self, sort=True): rendered = [cookie.render_response() for cookie in self.values()] return rendered if not sort else sorted(rendered)
render_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sort=True):\n rendered = [cookie.render_response() for cookie in self.values()]\n return rendered if not sort else sorted(rendered)\n", "role":...
def x(a, b): return matrix(np.logical_or(a, b).astype('float'), a.size)
aorb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a, b):\n return matrix(np.logical_or(a, b).astype('float'), a.size)\n", "role": "user" }, { "content": "aorb", "role": "assistant" } ]
def x(a, b): return matrix(np.logical_and(a, b).astype('float'), a.size)
aandb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a, b):\n return matrix(np.logical_and(a, b).astype('float'), a.size)\n", "role": "user" }, { "content": "aandb", "role": "assistant" } ]
def x(a): return matrix(list(map(lambda x: 1 if x == 0 else x, a)), a.size)
not0
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a):\n return matrix(list(map(lambda x: 1 if x == 0 else x, a)), a.size)\n", "role": "user" }, { "content": "not0", "role": "assistant" } ]
def x(m, reverse=False): ty = type(m) if ty == matrix: m = list(m) m = sorted(m, reverse=reverse) if ty == matrix: m = matrix(m) return m
sort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(m, reverse=False):\n ty = type(m)\n if ty == matrix:\n m = list(m)\n m = sorted(m, reverse=reverse)\n if ty == matrix:\n m = matrix(m...
def x(m, reverse=False): return sorted(range(len(m)), key=lambda k: m[k], reverse=reverse)
sort_idx
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(m, reverse=False):\n return sorted(range(len(m)), key=lambda k: m[k], reverse=reverse)\n", "role": "user" }, { "content": "sort_idx", "role"...
def x(m, val): mm = np.array(m) idx_tuple = np.where(mm == val) idx = idx_tuple[0].tolist() return idx
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(m, val):\n mm = np.array(m)\n idx_tuple = np.where(mm == val)\n idx = idx_tuple[0].tolist()\n return idx\n", "role": "user" }, { "conte...
def x(s): ret = s try: ret = float(s) except ValueError: ret = ret.strip("'").strip() try: ret = int(s) except ValueError: pass if ret == 'True': ret = True elif ret == 'False': ret = False elif ret == 'None': ret = None return ret
to_number
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n ret = s\n try:\n ret = float(s)\n except ValueError:\n ret = ret.strip(\"'\").strip()\n try:\n ret = int(s)\n except ...
def x(a, b): if len(a) != len(b): raise ValueError('Argument a and b does not have the same length') idx = 0 ret = matrix(0, (len(a), 1), 'd') for m, n in zip(a, b): try: ret[idx] = m / n except ZeroDivisionError: ret[idx] = 1 finally: idx += 1 return ret
sdiv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a, b):\n if len(a) != len(b):\n raise ValueError('Argument a and b does not have the same length')\n idx = 0\n ret = matrix(0, (len(a), 1), 'd'...
def x(conf_path=None): if conf_path is None: if os.path.isfile('andes.conf'): conf_path = 'andes.conf' home_dir = os.path.expanduser('~') if os.path.isfile(os.path.join(home_dir, '.andes', 'andes.conf')): conf_path = os.path.join(home_dir, '.andes', 'andes.conf') if conf_path is not None: logger.debug('Found config file at {}.'.format(conf_path)) return conf_path
get_config_load_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(conf_path=None):\n if conf_path is None:\n if os.path.isfile('andes.conf'):\n conf_path = 'andes.conf'\n home_dir = os.path.expandu...
def x(): PATH = '' if platform.system() in ('Linux', 'Darwin'): PATH = tempfile.mkdtemp(prefix='andes-') elif platform.system() == 'Windows': APPDATA = os.getenv('APPDATA') PATH = os.path.join(APPDATA, 'andes') if not os.path.exists(PATH): os.makedirs(PATH) return PATH
get_log_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n PATH = ''\n if platform.system() in ('Linux', 'Darwin'):\n PATH = tempfile.mkdtemp(prefix='andes-')\n elif platform.system() == 'Windows':...
def x(self, t, step): max_cache = int(self.system.tds.config.max_cache) if len(self.vars) >= max_cache > 0: self.dump() self.vars = list() self.t = list() self.k = list() logger.debug('varout cache cleared at simulation t = {:g}.'.format( self.system.dae.t)) self._mode = 'a' var_data = matrix([self.system.dae.x, self.system.dae.y]) self.t.append(t) self.k.append(step) self.vars.append(var_data) if self.np_nrows >= max_cache > 0: self.dump_np_vars() self.np_vars = np.zeros(self._np_block_shape) self.np_nrows = 0 self.np_t = np.zeros((self._np_block_rows,)) self.np_k = np.zeros((self._np_block_rows,)) logger.debug('np_vars cache cleared at simulation t = {:g}.'.format (self.system.dae.t)) self._mode = 'a' if self.np_nrows == 0: self.np_ncols = len(var_data) self._np_block_shape = self._np_block_rows, self.np_ncols self.np_vars = np.zeros(self._np_block_shape) self.np_t = np.zeros((self._np_block_rows,)) self.np_k = np.zeros((self._np_block_rows,)) self.np_t[self.np_nrows] = t self.np_k[self.np_nrows] = step self.np_vars[self.np_nrows, :] = np.array(var_data).reshape(-1) self.np_nrows += 1 if self.np_nrows >= self.np_vars.shape[0]: self.np_vars = np.concatenate([self.np_vars, np.zeros(self. _np_block_shape)], axis=0) self.np_t = np.concatenate([self.np_t, np.zeros((self. _np_block_rows,))], axis=0) self.np_k = np.concatenate([self.np_k, np.zeros((self. _np_block_rows,))], axis=0) if self.system.tds.config.compute_flows: self.system.dae.y = self.system.dae.y[:self.system.dae.m]
store
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, t, step):\n max_cache = int(self.system.tds.config.max_cache)\n if len(self.vars) >= max_cache > 0:\n self.dump()\n self.vars = list(...
def x(self): out = [] for item in self.vars: out.append(list(item)) return np.array(out)
show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n out = []\n for item in self.vars:\n out.append(list(item))\n return np.array(out)\n", "role": "user" }, { "content": "show...
def x(self): logger.warning( 'This function is deprecated and replaced by `concat_t_vars_np`.') out = np.array([]) if len(self.t) == 0: return out out = np.ndarray(shape=(0, self.vars[0].size[0] + 1)) for t, var in zip(self.t, self.vars): line = [[t]] line[0].extend(list(var)) out = np.append(out, line, axis=0) return out
concat_t_vars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.warning(\n 'This function is deprecated and replaced by `concat_t_vars_np`.')\n out = np.array([])\n if len(self.t) == 0:\n ...
def x(self, vars_idx=None): selected_np_vars = self.np_vars if vars_idx is not None: selected_np_vars = self.np_vars[:, vars_idx] return np.concatenate([self.np_t[:self.np_nrows].reshape((-1, 1)), selected_np_vars[:self.np_nrows, :]], axis=1)
concat_t_vars_np
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vars_idx=None):\n selected_np_vars = self.np_vars\n if vars_idx is not None:\n selected_np_vars = self.np_vars[:, vars_idx]\n return np.c...
def x(self, yidx, xidx=0): assert isinstance(xidx, int) if isinstance(yidx, int): yidx = [yidx] t_vars = self.concat_t_vars() xdata = t_vars[:, xidx] ydata = t_vars[:, yidx] return xdata.tolist(), ydata.transpose().tolist()
get_xy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, yidx, xidx=0):\n assert isinstance(xidx, int)\n if isinstance(yidx, int):\n yidx = [yidx]\n t_vars = self.concat_t_vars()\n xdata = t_...
def x(self, store_format='csv', delimiter=','): ret = False if self.system.files.no_output is True: logger.debug('no_output is True, thus no TDS dump saved ') return True if self.write_lst() and self.write_np_dat(store_format=store_format, delimiter=delimiter): ret = True return ret
dump_np_vars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, store_format='csv', delimiter=','):\n ret = False\n if self.system.files.no_output is True:\n logger.debug('no_output is True, thus no TDS d...
def x(self): logger.warn('This function is deprecated and replaced by `dump_np_vars`.') ret = False if self.system.files.no_output: return True if self.write_lst() and self.write_dat(): ret = True return ret
dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.warn('This function is deprecated and replaced by `dump_np_vars`.')\n ret = False\n if self.system.files.no_output:\n return Tr...
def x(self, store_format='csv', delimiter=',', fmt='%.12g'): ret = False system = self.system if not system.Recorder.n: n_vars = system.dae.m + system.dae.n if system.tds.config.compute_flows: n_vars += (2 * system.Bus.n + 8 * system.Line.n + 2 * system. Area.n_combination) idx = list(range(n_vars)) else: n_vars = len(system.Recorder.varout_idx) idx = system.Recorder.varout_idx t_vars_concatenated = self.concat_t_vars_np(vars_idx=idx) try: os.makedirs(os.path.abspath(os.path.dirname(system.files.dat)), exist_ok=True) with open(system.files.dat, self._mode) as f: if store_format in ('csv', 'txt'): np.savetxt(f, t_vars_concatenated, fmt=fmt, delimiter=delimiter ) elif store_format == 'hdf5': pass ret = True logger.info('TDS data dumped to <{}>'.format(system.files.dat)) except IOError: logger.error('I/O Error while writing the dat file.') return ret
write_np_dat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, store_format='csv', delimiter=',', fmt='%.12g'):\n ret = False\n system = self.system\n if not system.Recorder.n:\n n_vars = system.dae.m...
def x(self): logger.warn('This function is deprecated and replaced by `write_np_dat`.') ret = False system = self.system if not system.Recorder.n: n_vars = system.dae.m + system.dae.n if system.tds.config.compute_flows: n_vars += (2 * system.Bus.n + 8 * system.Line.n + 2 * system. Area.n_combination) idx = list(range(n_vars)) else: n_vars = len(system.Recorder.varout_idx) idx = system.Recorder.varout_idx template = ['{:<8g}'] + ['{:0.10f}'] * n_vars template = ' '.join(template) out = '' for t, line in zip(self.t, self.vars): values = [t] + list(line[idx]) out += template.format(*values) + '\n' try: os.makedirs(os.path.abspath(os.path.dirname(system.files.dat)), exist_ok=True) with open(system.files.dat, self._mode) as f: f.write(out) ret = True except IOError: logger.error('I/O Error while writing the dat file.') return ret
write_dat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.warn('This function is deprecated and replaced by `write_np_dat`.')\n ret = False\n system = self.system\n if not system.Recorder.n...
def x(self): ret = False out = '' system = self.system dae = self.system.dae varname = self.system.varname template = '{:>6g}, {:>25s}, {:>35s}\n' out += template.format(0, 'Time [s]', '$Time\\ [s]$') nflows = 0 if self.system.tds.config.compute_flows: nflows = (2 * self.system.Bus.n + 8 * self.system.Line.n + 2 * self .system.Area.n_combination) if system.Recorder.n == 0: state_idx = list(range(dae.n)) algeb_idx = list(range(dae.n, dae.n + dae.m + nflows)) idx = state_idx + algeb_idx else: idx = system.Recorder.varout_idx uname = varname.unamex + varname.unamey fname = varname.fnamex + varname.fnamey for e, i in enumerate(idx): out += template.format(e + 1, uname[i], fname[i]) try: with open(self.system.files.lst, 'w') as f: f.write(out) ret = True except IOError: logger.error('I/O Error while writing the lst file.') return ret
write_lst
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = False\n out = ''\n system = self.system\n dae = self.system.dae\n varname = self.system.varname\n template = '{:>6g}, {:>25s},...
def x(self): logger.warn( 'This function is deprecated. You can inspect `self.np_vars` directly as NumPy arrays without conversion.' ) if not self.vars: return None vars_matrix = matrix(self.vars, size=(self.vars[0].size[0], len(self.vars)) ).trans() self.vars_array = np.array(vars_matrix) return self.vars_array
vars_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 logger.warn(\n 'This function is deprecated. You can inspect `self.np_vars` directly as NumPy arrays without conversion.'\n )\n if...
def x(name='andes', log_file='andes.log', log_path='', stream=True, stream_level=logging.INFO): logger = logging.getLogger(name) logger.setLevel(logging.DEBUG) if log_file is not None: log_full_path = os.path.join(log_path, log_file) fh_formatter = logging.Formatter( '%(asctime)s - %(name)s - %(levelname)s - %(message)s') fh = logging.FileHandler(log_full_path) fh.setLevel(logging.DEBUG) fh.setFormatter(fh_formatter) logger.addHandler(fh) logger.debug('Writing log to {}'.format(log_full_path)) if stream is True: sh_formatter = logging.Formatter('%(message)s') sh = logging.StreamHandler() sh.setFormatter(sh_formatter) sh.setLevel(stream_level) logger.addHandler(sh) globals()['logger'] = logger
config_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name='andes', log_file='andes.log', log_path='', stream=True,\n stream_level=logging.INFO):\n logger = logging.getLogger(name)\n logger.setLevel(loggi...
def x(): from . import __version__ as version logger.info('ANDES {ver} (Build {b}, Python {p} on {os})'.format(ver= version[:5], b=version[-8:], p=platform.python_version(), os= platform.system())) try: username = os.getlogin() + ', ' except OSError: username = '' logger.info('Session: {}{}'.format(username, strftime( '%m/%d/%Y %I:%M:%S %p'))) logger.info('')
preamble
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from . import __version__ as version\n logger.info('ANDES {ver} (Build {b}, Python {p} on {os})'.format(ver=\n version[:5], b=version[-8:], p...
def x(): parser = ArgumentParser() parser.add_argument('filename', help='Case file name', nargs='*') general_group = parser.add_argument_group('General options') general_group.add_argument('-r', '--routine', choices=routines.__cli__, help='Routine to run', nargs='*', default=['pflow']) general_group.add_argument('--edit-config', help= 'Quick edit of the config file', default='', nargs='?', type=str) general_group.add_argument('--license', action='store_true', help= 'Display software license') io_group = parser.add_argument_group('I/O options', 'Optional arguments for managing I/Os') io_group.add_argument('-p', '--path', help='Path to case files', type= str, default='', dest='input_path') io_group.add_argument('-a', '--addfile', help= 'Additional files used by some formats.') io_group.add_argument('-D', '--dynfile', help= 'Additional dynamic file in dm format.') io_group.add_argument('-P', '--pert', help='Perturbation file path', default='') io_group.add_argument('-d', '--dump-raw', help='Dump RAW format case file.' ) io_group.add_argument('-n', '--no-output', help= 'Force no output of any kind', action='store_true') io_group.add_argument('-o', '--output_path', help='Output path prefix', type=str, default='') io_group.add_argument('-C', '--clean', help='Clean output files', action='store_true') config_exclusive = parser.add_mutually_exclusive_group() config_exclusive.add_argument('--load-config', help= 'path to the rc config to load', dest='config') config_exclusive.add_argument('--save-config', help= 'save configuration to file name', nargs='?', type=str, default='') group_help = parser.add_argument_group('Help and documentation', 'Optional arguments for usage, model and config documentation') group_help.add_argument('-g', '--group', help= 'Show the models in the group.') group_help.add_argument('-q', '--quick-help', help= 'Show a quick help of model format.') group_help.add_argument('-c', '--category', help= 'Show model names in the given category.') group_help.add_argument('-l', '--model-list', help= 'Show a full list of all models.', action='store_true') group_help.add_argument('-f', '--model-format', help= 'Show the format definition of models.', nargs='*', default=[]) group_help.add_argument('-Q', '--model-var', help= 'Show the definition of variables <MODEL.VAR>.') group_help.add_argument('--config-option', help= 'Show a quick help of a config option <CONFIG.OPTION>') group_help.add_argument('--help-config', help= 'Show help of the <CONFIG> class. Use ALL for all configs.') group_help.add_argument('-s', '--search', help= 'Search for models that match the pattern.') sim_options = parser.add_argument_group('Simulation control options', 'Overwrites the simulation configs') sim_options.add_argument('--dime', help= 'Specify DiME streaming server address and port') sim_options.add_argument('--tf', help= 'End time of time-domain simulation', type=float) dev_group = parser.add_argument_group('Developer options', 'Options for developer debugging') dev_group.add_argument('-v', '--verbose', help= 'Program logging level.Available levels are 10-DEBUG, 20-INFO, 30-WARNING, 40-ERROR or 50-CRITICAL. The default level is 20-INFO' , type=int, default=20, choices=(10, 20, 30, 40, 50)) dev_group.add_argument('--profile', action='store_true', help= 'Enable Python cProfiler') dev_group.add_argument('--ncpu', help='Number of parallel processes', type=int, default=0) dev_group.add_argument('--show-data', type=str, help= 'Show model data converted to system base', nargs='*') dev_group.add_argument('-x', '--exit', help= 'Exit before running routine', action='store_true') args = parser.parse_args() return args
cli_new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = ArgumentParser()\n parser.add_argument('filename', help='Case file name', nargs='*')\n general_group = parser.add_argument_group('Genera...
def x(group=None, category=None, model_list=None, model_format=None, model_var=None, quick_help=None, help_option=None, help_config=None, export='plain', **kwargs): out = [] if not (group or category or model_list or model_format or model_var or quick_help or help_option or help_config): return False from .models import all_models_list if category: raise NotImplementedError if model_list: raise NotImplementedError system = PowerSystem() if model_format: if model_format.lower() == 'all': model_format = all_models_list else: model_format = model_format.split(',') for item in model_format: if item not in all_models_list: logger.warning('Model <{}> does not exist.'.format(item)) model_format.remove(item) if len(model_format) > 0: for item in model_format: out.append(system.__dict__[item].doc(export=export)) if model_var: model_var = model_var.split('.') if len(model_var) == 1: logger.error('Model and parameter not separated by dot.') elif len(model_var) > 2: logger.error('Model parameter not specified correctly.') else: dev, var = model_var if not hasattr(system, dev): logger.error('Model <{}> does not exist.'.format(dev)) elif var not in system.__dict__[dev]._data.keys(): logger.error('Model <{}> does not have parameter <{}>.'. format(dev, var)) else: c1 = system.__dict__[dev]._descr.get(var, 'no Description') c2 = system.__dict__[dev]._data.get(var) c3 = system.__dict__[dev]._units.get(var, 'no Unit') out.append('{}: {}, default = {:g} {}'.format('.'.join( model_var), c1, c2, c3)) if group: group_dict = {} match = [] for model in all_models_list: g = system.__dict__[model]._group if g not in group_dict: group_dict[g] = [] group_dict[g].append(model) if group.lower() == 'all': match = sorted(list(group_dict.keys())) else: group = [group] for item in group_dict.keys(): if group[0].lower() in item.lower(): match.append(item) if len(match) == 0: out.append('Group <{:s}> not found.'.format(group[0])) for item in match: group_models = sorted(list(group_dict[item])) out.append('<{:s}>'.format(item)) out.append(', '.join(group_models)) out.append('') if quick_help: if quick_help not in all_models_list: out.append('Model <{}> does not exist.'.format(quick_help)) else: out.append(system.__dict__[quick_help].doc(export=export)) if help_option: raise NotImplementedError if help_config: all_config = ['system', 'pflow', 'tds', 'eig'] if help_config.lower() == 'all': help_config = all_config else: help_config = help_config.split(',') for item in help_config: if item.lower() not in all_config: logger.warning('Config <{}> does not exist.'.format(item)) help_config.remove(item) if len(help_config) > 0: for item in help_config: if item == 'system': out.append(system.config.doc(export=export)) else: out.append(system.__dict__[item.lower()].config.doc( export=export)) print('\n'.join(out)) return True
andeshelp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(group=None, category=None, model_list=None, model_format=None,\n model_var=None, quick_help=None, help_option=None, help_config=None,\n export='plain', *...
def x(edit_config=False, load_config=None, **kwargs): ret = False if edit_config == '': return ret conf_path = misc.get_config_load_path(load_config) if conf_path is not None: logger.info('Editing config file {}'.format(conf_path)) if edit_config is None: if platform.system() == 'Linux': editor = os.environ.get('EDITOR', 'gedit') elif platform.system() == 'Darwin': editor = os.environ.get('EDITOR', 'vim') elif platform.system() == 'Windows': editor = 'notepad.exe' else: editor = edit_config call([editor, conf_path]) ret = True else: logger.info( "Config file does not exist. Save config with 'andes --save-config'" ) ret = True return ret
edit_conf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(edit_config=False, load_config=None, **kwargs):\n ret = False\n if edit_config == '':\n return ret\n conf_path = misc.get_config_load_path(load...
def x(clean=False, **kwargs): if not clean: return False found = False cwd = os.getcwd() for file in os.listdir(cwd): if file.endswith('_eig.txt') or file.endswith('_out.txt' ) or file.endswith('_out.lst') or file.endswith('_out.dat' ) or file.endswith('_prof.txt'): found = True try: os.remove(file) logger.info('<{:s}> removed.'.format(file)) except IOError: logger.error('Error removing file <{:s}>.'.format(file)) if not found: logger.info('no output found in the working directory.') return True
remove_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(clean=False, **kwargs):\n if not clean:\n return False\n found = False\n cwd = os.getcwd()\n for file in os.listdir(cwd):\n if file.e...
def x(search, **kwargs): from .models import all_models out = [] if not search: return out keys = sorted(list(all_models.keys())) for key in keys: vals = all_models[key] val = list(vals.keys()) val = sorted(val) for item in val: if search.lower() in item.lower(): out.append(key + '.' + item) if out: print('Search result: <file.model> containing <{}>'.format(search)) print(' '.join(out)) else: print('No model containing <{:s}> found'.format(search)) return out
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(search, **kwargs):\n from .models import all_models\n out = []\n if not search:\n return out\n keys = sorted(list(all_models.keys()))\n f...
def x(save_config='', **kwargs): ret = False cf_path = save_config if cf_path == '': return ret if cf_path is None: cf_path = 'andes.conf' home = str(pathlib.Path.home()) path = os.path.join(home, '.andes') if not os.path.exists(path): os.makedirs(path) cf_path = os.path.join(path, cf_path) ps = PowerSystem() ps.dump_config(cf_path) ret = True return ret
save_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(save_config='', **kwargs):\n ret = False\n cf_path = save_config\n if cf_path == '':\n return ret\n if cf_path is None:\n cf_path = '...
def x(): t0, s = elapsed() args = vars(cli_new()) config_logger(log_path=misc.get_log_dir(), stream_level=args['verbose']) preamble() logger.debug('command line arguments:') logger.debug(pprint.pformat(args)) if andeshelp(**args) or search(**args) or edit_conf(**args ) or remove_output(**args) or save_config(**args): return if len(args['filename']) == 0: logger.info("error: no input file. Try 'andes -h' for help.") path = args.get('input_path', os.getcwd()) ncpu = args['ncpu'] if ncpu == 0 or ncpu > os.cpu_count(): ncpu = os.cpu_count() cases = [] for file in args['filename']: full_paths = os.path.abspath(os.path.join(path, file)) found = glob.glob(full_paths) if len(found) == 0: logger.info('error: file {} does not exist.'.format(full_paths)) else: cases += found cases = list(set(cases)) valid_cases = [] for case in cases: if os.path.isfile(case): valid_cases.append(case) logger.debug('Found files: ' + pprint.pformat(valid_cases)) if len(valid_cases) <= 0: pass elif len(valid_cases) == 1: run(valid_cases[0], **args) else: logger.info('Processing {} jobs on {} CPUs'.format(len(valid_cases), ncpu)) logger.handlers[1].setLevel(logging.WARNING) jobs = [] for idx, file in enumerate(valid_cases): args['pid'] = idx job = Process(name='Process {0:d}'.format(idx), target=run, args=(file,), kwargs=args) jobs.append(job) job.start() start_msg = 'Process {:d} <{:s}> started.'.format(idx, file) print(start_msg) logger.debug(start_msg) if idx % ncpu == ncpu - 1 or idx == len(valid_cases) - 1: sleep(0.1) for job in jobs: job.join() jobs = [] logger.handlers[1].setLevel(logging.INFO) t0, s0 = elapsed(t0) if len(valid_cases) == 1: logger.info('-> Single process finished in {:s}.'.format(s0)) elif len(valid_cases) >= 2: logger.info('-> Multiple processes finished in {:s}.'.format(s0)) return
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n t0, s = elapsed()\n args = vars(cli_new())\n config_logger(log_path=misc.get_log_dir(), stream_level=args['verbose'])\n preamble()\n logger...
def x(case, routine=None, profile=False, dump_raw=False, pid=-1, show_data= None, exit=False, **kwargs): t0, _ = elapsed() pr = cProfile.Profile() if profile is True: pr.enable() system = PowerSystem(case, **kwargs) if not filters.guess(system): return if not filters.parse(system): return if dump_raw: filters.dump_raw(system) system.setup() if show_data is not None: if len(show_data) == 0: show_data = sorted(system.devman.devices) for mdl in show_data: logger.info('Model <{}> data in system base'.format(mdl)) logger.info(system.__dict__[mdl].data_to_df(sysbase=True). to_string()) logger.info('') if routine is None or exit is True: pass else: if 'pflow' in routine: routine.remove('pflow') system.pflow.run() system.tds.init() system.report.write(content='powerflow') for r in routine: system.__dict__[r.lower()].run() if profile: pr.disable() if system.files.no_output: s = io.StringIO() nlines = 40 ps = pstats.Stats(pr, stream=sys.stdout).sort_stats('cumtime') ps.print_stats(nlines) logger.info(s.getvalue()) s.close() else: s = open(system.files.prof, 'w') nlines = 999 ps = pstats.Stats(pr, stream=s).sort_stats('cumtime') ps.print_stats(nlines) s.close() logger.info('cProfile results for job{:s} written.'.format(' ' + str(pid) if pid >= 0 else '')) if pid >= 0: _, s = elapsed(t0) msg_finish = 'Process {:d} finished in {:s}.'.format(pid, s) logger.info(msg_finish) print(msg_finish) return system
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(case, routine=None, profile=False, dump_raw=False, pid=-1, show_data=\n None, exit=False, **kwargs):\n t0, _ = elapsed()\n pr = cProfile.Profile()\n ...
def x(self): self.devices = self.system.devman.devices self.ndevice = len(self.devices) self.gcalls = [''] * self.ndevice self.fcalls = [''] * self.ndevice self.gycalls = [''] * self.ndevice self.fxcalls = [''] * self.ndevice self.jac0s = [''] * self.ndevice self.build_vec() self.build_strings() self._compile_newton() self._compile_fdpf() self._compile_pfload() self._compile_pfgen() self._compile_seriesflow() self._compile_int() self._compile_int_f() self._compile_int_g() self._compile_bus_injection()
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.devices = self.system.devman.devices\n self.ndevice = len(self.devices)\n self.gcalls = [''] * self.ndevice\n self.fcalls = [''] * se...
def x(self): for item in all_calls: self.__dict__[item] = [] for dev in self.devices: for item in all_calls: if self.system.__dict__[dev].n == 0: val = False else: val = self.system.__dict__[dev].calls.get(item, False) self.__dict__[item].append(val)
build_vec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for item in all_calls:\n self.__dict__[item] = []\n for dev in self.devices:\n for item in all_calls:\n if self.system....
def x(self): for idx, dev in enumerate(self.devices): header = 'system.' + dev self.gcalls[idx] = header + '.gcall(system.dae)\n' self.fcalls[idx] = header + '.fcall(system.dae)\n' self.gycalls[idx] = header + '.gycall(system.dae)\n' self.fxcalls[idx] = header + '.fxcall(system.dae)\n' self.jac0s[idx] = header + '.jac0(system.dae)\n'
build_strings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for idx, dev in enumerate(self.devices):\n header = 'system.' + dev\n self.gcalls[idx] = header + '.gcall(system.dae)\\n'\n se...
def x(self): string = '"""\n' string += 'system.dae.init_fg()\n' for pflow, gcall, call in zip(self.pflow, self.gcall, self.gcalls): if pflow and gcall: string += call string += 'system.dae.reset_small_g()\n' string += '\n' for pflow, fcall, call in zip(self.pflow, self.fcall, self.fcalls): if pflow and fcall: string += call string += 'system.dae.reset_small_f()\n' string += self.gisland string += '\n' string += 'if system.dae.factorize:\n' string += ' system.dae.init_jac0()\n' for pflow, jac0, call in zip(self.pflow, self.jac0, self.jac0s): if pflow and jac0: string += ' ' + call string += " system.dae.temp_to_spmatrix('jac0')\n" string += 'system.dae.setup_FxGy()\n' for pflow, gycall, call in zip(self.pflow, self.gycall, self.gycalls): if pflow and gycall: string += call for pflow, fxcall, call in zip(self.pflow, self.fxcall, self.fxcalls): if pflow and fxcall: string += call string += self.gyisland string += "system.dae.temp_to_spmatrix('jac')\n" string += '"""' if SHOW_PF_CALL: logger.debug(string) self.newton = compile(eval(string), '', 'exec')
compile_newton
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = '\"\"\"\\n'\n string += 'system.dae.init_fg()\\n'\n for pflow, gcall, call in zip(self.pflow, self.gcall, self.gcalls):\n if ...
def x(self): string = '"""\n' string += 'system.dae.init_g()\n' for pflow, gcall, call in zip(self.pflow, self.gcall, self.gcalls): if pflow and gcall: string += call string += 'system.dae.reset_small_g()\n' string += '\n' string += '"""' self.fdpf = compile(eval(string), '', 'exec')
compile_fdpf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = '\"\"\"\\n'\n string += 'system.dae.init_g()\\n'\n for pflow, gcall, call in zip(self.pflow, self.gcall, self.gcalls):\n if p...
def x(self): string = '"""\n' string += 'system.dae.init_g()\n' for gcall, pflow, shunt, stagen, call in zip(self.gcall, self.pflow, self.shunt, self.stagen, self.gcalls): if gcall and pflow and shunt and not stagen: string += call string += '\n' string += 'system.dae.reset_small_g()\n' string += '"""' self.pfload = compile(eval(string), '', 'exec')
compile_pfload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = '\"\"\"\\n'\n string += 'system.dae.init_g()\\n'\n for gcall, pflow, shunt, stagen, call in zip(self.gcall, self.pflow,\n sel...
def x(self): string = '"""\n' string += 'system.dae.init_g()\n' for gcall, pflow, shunt, series, stagen, call in zip(self.gcall, self. pflow, self.shunt, self.series, self.stagen, self.gcalls): if gcall and pflow and (shunt or series) and not stagen: string += call string += '\n' string += 'system.dae.reset_small_g()\n' string += '"""' self.pfgen = compile(eval(string), '', 'exec')
compile_pfgen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = '\"\"\"\\n'\n string += 'system.dae.init_g()\\n'\n for gcall, pflow, shunt, series, stagen, call in zip(self.gcall, self.\n p...
def x(self): string = '"""\n' for device, series in zip(self.devices, self.series): if series: string += 'system.' + device + '.gcall(system.dae)\n' string += '\n' string += 'system.dae.reset_small_g()\n' string += self.gisland string += '"""' self.bus_injection = compile(eval(string), '', 'exec')
compile_bus_injection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = '\"\"\"\\n'\n for device, series in zip(self.devices, self.series):\n if series:\n string += 'system.' + device + '.g...
def x(self): string = '"""\n' for device, pflow, series in zip(self.devices, self.pflow, self.series): if pflow and series: string += 'system.' + device + '.seriesflow(system.dae)\n' string += '\n' string += '"""' self.seriesflow = compile(eval(string), '', 'exec')
compile_seriesflow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = '\"\"\"\\n'\n for device, pflow, series in zip(self.devices, self.pflow, self.series):\n if pflow and series:\n strin...
def x(self): string = '"""\n' string += 'system.dae.init_fg(resetz=False)\n' for gcall, call in zip(self.gcall, self.gcalls): if gcall: string += call string += '\n' string += 'system.dae.reset_small_g()\n' string += self.gisland for fcall, call in zip(self.fcall, self.fcalls): if fcall: string += call string += 'system.dae.reset_small_f()\n' string += '\n' fg_string = string + '"""' self.int_fg = compile(eval(fg_string), '', 'exec') string += 'if system.dae.factorize:\n' string += ' system.dae.init_jac0()\n' for jac0, call in zip(self.jac0, self.jac0s): if jac0: string += ' ' + call string += " system.dae.temp_to_spmatrix('jac0')\n" string += 'system.dae.setup_FxGy()\n' for gycall, call in zip(self.gycall, self.gycalls): if gycall: string += call string += '\n' for fxcall, call in zip(self.fxcall, self.fxcalls): if fxcall: string += call string += self.gyisland string += "system.dae.temp_to_spmatrix('jac')\n" string += '"""' if SHOW_INT_CALL: logger.debug(string) self.int = compile(eval(string), '', 'exec')
compile_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = '\"\"\"\\n'\n string += 'system.dae.init_fg(resetz=False)\\n'\n for gcall, call in zip(self.gcall, self.gcalls):\n if gcall:\...
def x(self): string = '"""\n' string += 'system.dae.init_f()\n' for fcall, call in zip(self.fcall, self.fcalls): if fcall: string += call string += 'system.dae.reset_small_f()\n' string += '"""' self.int_f = compile(eval(string), '', 'exec')
compile_int_f
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = '\"\"\"\\n'\n string += 'system.dae.init_f()\\n'\n for fcall, call in zip(self.fcall, self.fcalls):\n if fcall:\n ...
def x(self): string = '"""\n' string += 'system.dae.init_g()\n' for gcall, call in zip(self.gcall, self.gcalls): if gcall: string += call string += '\n' string += 'system.dae.reset_small_g()\n' string += self.gisland string += 'if system.dae.factorize:\n' string += ' system.dae.init_jac0()\n' for jac0, call in zip(self.jac0, self.jac0s): if jac0: string += ' ' + call string += " system.dae.temp_to_spmatrix('jac0')\n" string += 'system.dae.setup_Gy()\n' for gycall, call in zip(self.gycall, self.gycalls): if gycall: string += call string += '\n' string += self.gyisland string += "system.dae.temp_to_spmatrix('jac')\n" string += '"""' self.int_g = compile(eval(string), '', 'exec')
compile_int_g
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = '\"\"\"\\n'\n string += 'system.dae.init_g()\\n'\n for gcall, call in zip(self.gcall, self.gcalls):\n if gcall:\n ...
def x(self): assert self._name assert self._group self.u = [] self.name = [] self.idx = [] self.uid = {} if not self._unamey: self._unamey = self._algebs else: assert len(self._unamey) == len(self._algebs) if not self._unamex: self._unamex = self._states else: assert len(self._unamex) == len(self._states) for item in self._data.keys(): self.__dict__[item] = [] for bus in self._ac.keys(): for var in self._ac[bus]: self.__dict__[var] = [] for node in self._dc.keys(): for var in self._dc[node]: self.__dict__[var] = [] for var in (self._states + self._algebs + self._service): self.__dict__[var] = [] self._flags['sysbase'] = False self._flags['allocate'] = False self._flags['address'] = False
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert self._name\n assert self._group\n self.u = []\n self.name = []\n self.idx = []\n self.uid = {}\n if not self._unamey:\n ...
def x(self, param, default, unit='', descr='', tomatrix=True, nonzero=False, mandatory=False, power=False, voltage=False, current=False, z=False, y= False, r=False, g=False, dccurrent=False, dcvoltage=False, time=False, event_time=False, **kwargs): assert param not in self._data assert param not in self._algebs assert param not in self._states assert param not in self._service self._data.update({param: default}) if unit: self._units.update({param: unit}) if descr: self._descr.update({param: descr}) if tomatrix: self._params.append(param) if nonzero: self._zeros.append(param) if mandatory: self._mandatory.append(param) if power: self._powers.append(param) if voltage: self._voltages.append(param) if current: self._currents.append(param) if z: self._z.append(param) if y: self._y.append(param) if r: self._r.append(param) if g: self._g.append(param) if dccurrent: self._dccurrents.append(param) if dcvoltage: self._dcvoltages.append(param) if time: self._times.append(param) if event_time: self._event_times.append(param)
param_define
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, default, unit='', descr='', tomatrix=True, nonzero=False,\n mandatory=False, power=False, voltage=False, current=False, z=False, y=\n False,...
def x(self, variable, ty, fname, descr='', uname=''): assert ty in ('x', 'y') if not uname: uname = variable if ty == 'x': self._states.append(variable) self._fnamex.append(fname) self._unamex.append(uname) if descr: self._states_descr.update({variable: descr}) elif ty == 'y': self._algebs.append(variable) self._fnamey.append(fname) self._unamey.append(uname) if descr: self._algebs_descr.update({variable: descr})
var_define
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, variable, ty, fname, descr='', uname=''):\n assert ty in ('x', 'y')\n if not uname:\n uname = variable\n if ty == 'x':\n self._sta...
def x(self, service, ty): assert service not in self._data assert service not in self._algebs + self._states self._service.append(service) self._service_ty.append(ty)
service_define
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, ty):\n assert service not in self._data\n assert service not in self._algebs + self._states\n self._service.append(service)\n self._...
def x(self, idx): assert idx is not None if isinstance(idx, (int, float, str)): return self.uid[idx] ret = [] for i in idx: tmp = self.uid.get(i, None) assert tmp is not None, 'Model <{}> does not have element <{}>'.format( self._name, i) ret.append(self.uid[i]) return ret
get_uid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n assert idx is not None\n if isinstance(idx, (int, float, str)):\n return self.uid[idx]\n ret = []\n for i in idx:\n tmp...
def x(self, field, idx=None, astype=None): assert astype in (None, list, matrix) ret = None if idx is None: idx = self.idx uid = self.get_uid(idx) field_data = self.__dict__[field] if isinstance(field_data, matrix): ret = field_data[uid] elif isinstance(field_data, list): if isinstance(idx, (float, int, str)): ret = field_data[uid] else: ret = [field_data[x] for x in uid] if astype is not None: ret = astype(ret) return ret
get_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field, idx=None, astype=None):\n assert astype in (None, list, matrix)\n ret = None\n if idx is None:\n idx = self.idx\n uid = self.ge...
def x(self): nzeros = [0] * self.n for var in self._states: self.__dict__[var] = nzeros[:] for var in self._algebs: self.__dict__[var] = nzeros[:]
alloc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n nzeros = [0] * self.n\n for var in self._states:\n self.__dict__[var] = nzeros[:]\n for var in self._algebs:\n self.__dict__[va...
def x(self, sysbase=False): assert isinstance(sysbase, bool) ret = {} for key in self.data_keys: if not sysbase and key in self._store: val = self._store[key] else: val = self.__dict__[key] ret[key] = val return ret
data_to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sysbase=False):\n assert isinstance(sysbase, bool)\n ret = {}\n for key in self.data_keys:\n if not sysbase and key in self._store:\n ...
def x(self, sysbase=False): ret = list() for i in range(self.n): e = {} for key in self.data_keys: if sysbase and key in self._store: val = self._store[key][i] else: val = self.__dict__[key][i] e[key] = val ret.append(e) return ret
data_to_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sysbase=False):\n ret = list()\n for i in range(self.n):\n e = {}\n for key in self.data_keys:\n if sysbase and key in sel...
def x(self, data): nvars = [] for key, val in data.items(): self.__dict__[key].extend(val) if len(nvars) > 1 and len(val) != nvars[-1]: raise IndexError( 'Model <{}> parameter <{}> must have the same length'. format(self._name, key)) nvars.append(len(val)) for i, idx in zip(range(self.n), self.idx): self.uid[idx] = i
data_from_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n nvars = []\n for key, val in data.items():\n self.__dict__[key].extend(val)\n if len(nvars) > 1 and len(val) != nvars[-1]:\n...
def x(self, sysbase=False): p_dict_comp = self.data_to_dict(sysbase=sysbase) self._check_pd() self.param_df = pd.DataFrame(data=p_dict_comp).set_index('idx') return self.param_df
data_to_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sysbase=False):\n p_dict_comp = self.data_to_dict(sysbase=sysbase)\n self._check_pd()\n self.param_df = pd.DataFrame(data=p_dict_comp).set_index...
def x(self): ret = {} self._check_pd() if self._flags['address'] is False: return pd.DataFrame.from_dict(ret) ret.update({'name': self.name}) ret.update({'idx': self.idx}) for x in self._states: idx = self.__dict__[x] ret.update({x: self.system.dae.x[idx]}) for y in self._algebs: idx = self.__dict__[y] ret.update({y: self.system.dae.y[idx]}) var_df = pd.DataFrame.from_dict(ret).set_index('idx') return var_df
var_to_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = {}\n self._check_pd()\n if self._flags['address'] is False:\n return pd.DataFrame.from_dict(ret)\n ret.update({'name': self.n...
def x(self, param: 'str') ->None: for attr in self._param_attr_dicts: if param in self.__dict__[attr]: self.__dict__[attr].pop(param) for attr in self._param_attr_lists: if param in self.__dict__[attr]: self.__dict__[attr].remove(param)
param_remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param: 'str') ->None:\n for attr in self._param_attr_dicts:\n if param in self.__dict__[attr]:\n self.__dict__[attr].pop(param)\n ...
def x(self, param, default=None, unit=None, descr=None, tomatrix=None, nonzero=None, mandatory=None, power=None, voltage=None, current=None, z =None, y=None, r=None, g=None, dccurrent=None, dcvoltage=None, time= None, **kwargs): assert param in self._data, 'parameter <{}> does not exist in {}'.format( param, self._name) def x(p, attr, value): if value is None: return elif value is True and p not in self.__dict__[attr]: self.__dict__[attr].append(p) elif value is False and p in self.__dict__[attr]: self.__dict__[attr].remove(p) else: self.log('No need to alter {} for {}'.format(attr, p)) if default is not None: self._data.update({param: default}) if unit is not None: self._units.update({param: unit}) if descr is not None: self._descr.update({param: descr}) alter_attr(param, '_params', tomatrix) alter_attr(param, '_zeros', nonzero) alter_attr(param, '_mandatory', mandatory) alter_attr(param, '_powers', power) alter_attr(param, '_voltages', voltage) alter_attr(param, '_currents', current) alter_attr(param, '_z', z) alter_attr(param, '_y', y) alter_attr(param, '_r', r) alter_attr(param, '_g', g) alter_attr(param, '_dcvoltages', dcvoltage) alter_attr(param, '_dccurrents', dccurrent) alter_attr(param, '_times', time)
param_alter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, default=None, unit=None, descr=None, tomatrix=None,\n nonzero=None, mandatory=None, power=None, voltage=None, current=None, z\n =None, y=Non...
def x(self, expr, var, intf=False): ty = '' if var in self._algebs: ty = 'g' elif var in self._states: ty = 'f' else: for _, item in self._ac: if var in item: ty = 'g' if intf is False: intf = True for _, item in self._dc: if var == item: ty = 'g' if intf is False: intf = True if ty == '': self.log( 'Equation associated with interface variable {var} assumed as algeb' .format(var=var), DEBUG) ty = 'g' self._equations.append((expr, var, intf, ty))
eq_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, expr, var, intf=False):\n ty = ''\n if var in self._algebs:\n ty = 'g'\n elif var in self._states:\n ty = 'f'\n else:\n ...
def x(self, model: str, field: str, idx=None, astype=None): ret = list() if model in self.system.devman.devices: ret = self.system.__dict__[model].get_field(field, idx) elif model in self.system.devman.group.keys(): assert idx is not None, 'idx must be specified when accessing group fields' astype = matrix for item in idx: dev_name = self.system.devman.group[model].get(item, None) ret.append(self.read_data_ext(dev_name, field, idx=item)) else: raise NameError('Model or Group <{0}> does not exist.'.format(model)) if ret is None or isinstance(ret, (int, float, str)): return ret elif astype is None: return ret else: return astype(ret)
read_data_ext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model: str, field: str, idx=None, astype=None):\n ret = list()\n if model in self.system.devman.devices:\n ret = self.system.__dict__[model]...
def x(self, model, field, dest=None, idx=None, astype=None): if not dest: dest = field assert dest not in self._states + self._algebs self.__dict__[dest] = self.read_data_ext(model, field, idx, astype=astype) if idx is not None: if len(idx) == self.n: self.link_to(model, idx, self.idx)
copy_data_ext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, field, dest=None, idx=None, astype=None):\n if not dest:\n dest = field\n assert dest not in self._states + self._algebs\n self.__...
def x(self, idx=None, name=None, **kwargs): idx = self.system.devman.register_element(dev_name=self._name, idx=idx) self.system.__dict__[self._group].register_element(self._name, idx) self.uid[idx] = self.n self.idx.append(idx) self.mdl_to.append(list()) self.mdl_from.append(list()) if name is None: self.name.append(self._name + ' ' + str(self.n)) else: self.name.append(name) for key in self._mandatory: if key not in kwargs.keys(): self.log('Mandatory parameter <{:s}.{:s}> missing'.format(self. name[-1], key), ERROR) sys.exit(1) for key, value in self._data.items(): self.__dict__[key].append(value) for key, value in kwargs.items(): if key not in self._data: self.log('Parameter <{:s}.{:s}> is not used.'.format(self.name[ -1], key), WARNING) continue self.__dict__[key][-1] = value if not value and key in self._zeros: if key == 'Sn': default = self.system.mva elif key == 'fn': default = self.system.config.freq else: default = self._data[key] self.__dict__[key][-1] = default self.log('Using default value for <{:s}.{:s}>'.format(self.name [-1], key), WARNING) return idx
elem_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx=None, name=None, **kwargs):\n idx = self.system.devman.register_element(dev_name=self._name, idx=idx)\n self.system.__dict__[self._group].regis...
def x(self, idx=None): if idx is not None: if idx in self.uid: key = idx item = self.uid[idx] else: self.log('The item <{:s}> does not exist.'.format(idx), ERROR) return None else: return None convert = False if isinstance(self.__dict__[self._params[0]], matrix): self._param_to_list() convert = True self.uid.pop(key, '') self.idx.pop(item) self.mdl_from.pop(item) self.mdl_to.pop(item) for x, y in self.uid.items(): if y > item: self.uid[x] = y - 1 for param in self._data: self.__dict__[param].pop(item) for param in self._service: if len(self.__dict__[param]) == self.n + 1: if isinstance(self.__dict__[param], list): self.__dict__[param].pop(item) elif isinstance(self.__dict__[param], matrix): service = list(self.__dict__[param]) service.pop(item) self.__dict__[param] = matrix(service) for x in self._states: if len(self.__dict__[x]): self.__dict__[x].pop(item) for y in self._algebs: if self.__dict__[y]: self.__dict__[y].pop(item) for key, param in self._ac.items(): if isinstance(param, list): for subparam in param: if len(self.__dict__[subparam]): self.__dict__[subparam].pop(item) else: self.__dict__[param].pop(item) for key, param in self._dc.items(): self.__dict__[param].pop(item) self.name.pop(item) if convert and self.n: self._param_to_matrix()
elem_remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx=None):\n if idx is not None:\n if idx in self.uid:\n key = idx\n item = self.uid[idx]\n else:\n sel...
def x(self): if not self.n or self._flags['sysbase']: return Sb = self.system.mva Vb = matrix([]) if 'bus' in self._ac.keys(): Vb = self.read_data_ext('Bus', 'Vn', idx=self.bus) elif 'bus1' in self._ac.keys(): Vb = self.read_data_ext('Bus', 'Vn', idx=self.bus1) for var in self._voltages: self._store[var] = self.__dict__[var] self.__dict__[var] = mul(self.__dict__[var], self.Vn) self.__dict__[var] = div(self.__dict__[var], Vb) for var in self._powers: self._store[var] = self.__dict__[var] self.__dict__[var] = mul(self.__dict__[var], self.Sn) self.__dict__[var] /= Sb for var in self._currents: self._store[var] = self.__dict__[var] self.__dict__[var] = mul(self.__dict__[var], self.Sn) self.__dict__[var] = div(self.__dict__[var], self.Vn) self.__dict__[var] = mul(self.__dict__[var], Vb) self.__dict__[var] /= Sb if len(self._z) or len(self._y): Zn = div(self.Vn ** 2, self.Sn) Zb = Vb ** 2 / Sb for var in self._z: self._store[var] = self.__dict__[var] self.__dict__[var] = mul(self.__dict__[var], Zn) self.__dict__[var] = div(self.__dict__[var], Zb) for var in self._y: self._store[var] = self.__dict__[var] if self.__dict__[var].typecode == 'd': self.__dict__[var] = div(self.__dict__[var], Zn) self.__dict__[var] = mul(self.__dict__[var], Zb) elif self.__dict__[var].typecode == 'z': self.__dict__[var] = div(self.__dict__[var], Zn + 0.0j) self.__dict__[var] = mul(self.__dict__[var], Zb + 0.0j) if len(self._dcvoltages) or len(self._dccurrents) or len(self._r) or len( self._g): dckey = sorted(self._dc.keys())[0] Vbdc = self.read_data_ext('Node', 'Vdcn', self.__dict__[dckey]) Ib = div(Sb, Vbdc) Rb = div(Vbdc, Ib) for var in self._dcvoltages: self._store[var] = self.__dict__[var] self.__dict__[var] = mul(self.__dict__[var], self.Vdcn) self.__dict__[var] = div(self.__dict__[var], Vbdc) for var in self._dccurrents: self._store[var] = self.__dict__[var] self.__dict__[var] = mul(self.__dict__[var], self.Idcn) self.__dict__[var] = div(self.__dict__[var], Ib) for var in self._r: self._store[var] = self.__dict__[var] self.__dict__[var] = div(self.__dict__[var], Rb) for var in self._g: self._store[var] = self.__dict__[var] self.__dict__[var] = mul(self.__dict__[var], Rb) self._flags['sysbase'] = True
data_to_sys_base
[ { "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.n or self._flags['sysbase']:\n return\n Sb = self.system.mva\n Vb = matrix([])\n if 'bus' in self._ac.keys():\n ...
def x(self): if self._flags['sysbase'] is False: return for key, val in self._store.items(): self.__dict__[key] = val self._flags['sysbase'] = False
data_to_elem_base
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._flags['sysbase'] is False:\n return\n for key, val in self._store.items():\n self.__dict__[key] = val\n self._flags['s...
def x(self): for key, val in self._ac.items(): self.copy_data_ext(model='Bus', field='a', dest=val[0], idx=self. __dict__[key]) self.copy_data_ext(model='Bus', field='v', dest=val[1], idx=self. __dict__[key]) for key, val in self._dc.items(): self.copy_data_ext(model='Node', field='v', dest=val, idx=self. __dict__[key]) self._check_Vn()
intf_network
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for key, val in self._ac.items():\n self.copy_data_ext(model='Bus', field='a', dest=val[0], idx=self.\n __dict__[key])\n s...
def x(self): for key, val in self._ctrl.items(): model, field, dest, astype = val self.copy_data_ext(model, field, dest=dest, idx=self.__dict__[key], astype=astype)
intf_ctrl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for key, val in self._ctrl.items():\n model, field, dest, astype = val\n self.copy_data_ext(model, field, dest=dest, idx=self.__dict_...
def x(self): group_by = self._config['address_group_by'] assert not self._flags['address'], '{} address already assigned'.format( self._name) assert group_by in ('element', 'variable') m0 = self.system.dae.m n0 = self.system.dae.n mend = m0 + len(self._algebs) * self.n nend = n0 + len(self._states) * self.n if group_by == 'variable': for idx, item in enumerate(self._algebs): self.__dict__[item] = list(range(m0 + idx * self.n, m0 + (idx + 1) * self.n)) for idx, item in enumerate(self._states): self.__dict__[item] = list(range(n0 + idx * self.n, n0 + (idx + 1) * self.n)) elif group_by == 'element': for idx, item in enumerate(self._algebs): self.__dict__[item] = list(range(m0 + idx, mend, len(self._algebs)) ) for idx, item in enumerate(self._states): self.__dict__[item] = list(range(n0 + idx, nend, len(self._states)) ) self.system.dae.m = mend self.system.dae.n = nend self._flags['address'] = True
addr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n group_by = self._config['address_group_by']\n assert not self._flags['address'], '{} address already assigned'.format(\n self._name)\n ...
def x(self): if not self._flags['address']: self.log('Unable to assign Varname before allocating address', ERROR) return varname = self.system.varname for i in range(self.n): iname = str(self.name[i]) for e, var in enumerate(self._states): unamex = self._unamex[e] fnamex = self._fnamex[e] idx = self.__dict__[var][i] varname.unamex[idx] = '{} {}'.format(unamex, iname)[:33] varname.fnamex[idx] = '$' + '{}\\ {}'.format(fnamex, iname. replace(' ', '\\ '))[:33] + '$' for e, var in enumerate(self._algebs): unamey = self._unamey[e] fnamey = self._fnamey[e] idx = self.__dict__[var][i] varname.unamey[idx] = '{} {}'.format(unamey, iname)[:33] varname.fnamey[idx] = '$' + '{}\\ {}'.format(fnamey, iname. replace(' ', '\\ '))[:33] + '$'
varname
[ { "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._flags['address']:\n self.log('Unable to assign Varname before allocating address', ERROR)\n return\n varname = self.s...
def x(self): for item in self._params: self.__dict__[item] = matrix(self.__dict__[item], tc='d')
param_to_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for item in self._params:\n self.__dict__[item] = matrix(self.__dict__[item], tc='d')\n", "role": "user" }, { "content": "param_...
def x(self): for item in self._params: self.__dict__[item] = list(self.__dict__[item])
param_to_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for item in self._params:\n self.__dict__[item] = list(self.__dict__[item])\n", "role": "user" }, { "content": "param_to_list", ...
def x(self, msg, level=INFO): logger.log(level, '<{}> - '.format(self._name) + msg)
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg, level=INFO):\n logger.log(level, '<{}> - '.format(self._name) + msg)\n", "role": "user" }, { "content": "log", "role": "assistant...
def x(self, key, lower=None, upper=None, limit=False): above = agtb(self.__dict__[key], upper) for idx, item in enumerate(above): if item == 0.0: continue maxval = upper[idx] self.log('{0} <{1}.{2}> above its maximum of {3}.'.format(self.name [idx], self._name, key, maxval), ERROR) if limit: self.__dict__[key][idx] = maxval below = altb(self.__dict__[key], lower) for idx, item in enumerate(below): if item == 0.0: continue minval = lower[idx] self.log('{0} <{1}.{2}> below its minimum of {3}.'.format(self.name [idx], self._name, key, minval), ERROR) if limit: self.__dict__[key][idx] = minval
init_limit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, lower=None, upper=None, limit=False):\n above = agtb(self.__dict__[key], upper)\n for idx, item in enumerate(above):\n if item == 0.0:\...
def x(self, export='plain'): title = '<{}.{}>'.format(self._group, self._name) table = Tab(export=export, title=title, descr=self.__doc__) rows = [] keys = sorted(self._data.keys()) for key in keys: val = self._data[key] suf = '' if key in self._mandatory: suf = ' *' elif key in self._powers + self._voltages + self._currents + self._z + self._y + self._dccurrents + self._dcvoltages + self._r + self._g + self._times: suf = ' #' c1 = key + suf c2 = self._descr.get(key, '') c3 = val c4 = self._units.get(key, '-') rows.append([c1, c2, c3, c4]) table.add_rows(rows, header=False) table.header(['Parameter', 'Description', 'Default', 'Unit']) if export == 'plain': pass elif export == 'latex': raise NotImplementedError('LaTex output not implemented') return table.draw()
doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, export='plain'):\n title = '<{}.{}>'.format(self._group, self._name)\n table = Tab(export=export, title=title, descr=self.__doc__)\n rows = []\n...
def x(self, varname, vmin=None, vmax=None): retval = True assert varname in self.__dict__ if varname in self._algebs: val = self.system.dae.y[self.__dict__[varname]] elif varname in self._states: val = self.system.dae.x[self.__dict__[varname]] else: val = matrix(self.__dict__[varname]) vmin = matrix(self.__dict__[vmin]) comp = altb(val, vmin) comp = mul(self.u, comp) for c, n, idx in zip(comp, self.name, range(self.n)): if c == 1: v = val[idx] vm = vmin[idx] self.log('Init of <{}.{}>={:.4g} is lower than min={:6.4g}'. format(n, varname, v, vm), ERROR) retval = False vmax = matrix(self.__dict__[vmax]) comp = agtb(val, vmax) comp = mul(self.u, comp) for c, n, idx in zip(comp, self.name, range(self.n)): if c == 1: v = val[idx] vm = vmax[idx] self.log('Init of <{}.{}>={:.4g} is higher than max={:.4g}'. format(n, varname, v, vm), ERROR) retval = False return retval
check_limit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, varname, vmin=None, vmax=None):\n retval = True\n assert varname in self.__dict__\n if varname in self._algebs:\n val = self.system.dae.y...
def x(self, bus_idx): assert hasattr(self, 'bus') ret = [] if isinstance(bus_idx, (int, float, str)): bus_idx = [bus_idx] for item in bus_idx: idx = [] for e, b in enumerate(self.bus): if b == item: idx.append(self.idx[e]) if len(idx) == 1: idx = idx[0] elif len(idx) == 0: idx = None ret.append(idx) if len(ret) == 1: ret = ret[0] return ret
on_bus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bus_idx):\n assert hasattr(self, 'bus')\n ret = []\n if isinstance(bus_idx, (int, float, str)):\n bus_idx = [bus_idx]\n for item in bu...
def x(self, bus_idx): ret = [] if not self._config['is_series']: self.log('link_bus function is not valid for non-series model <{}>' .format(self.name)) return [] if isinstance(bus_idx, (int, float, str)): bus_idx = [bus_idx] fkey = list(self._ac.keys()) if 'bus' in fkey: fkey.remove('bus') nfkey = len(fkey) fkey_val = [self.__dict__[i] for i in fkey] for item in bus_idx: idx = [] key = [] for i in range(self.n): for j in range(nfkey): if fkey_val[j][i] == item: idx.append(self.idx[i]) key.append(fkey[j]) break if len(idx) == 0: idx = None if len(key) == 0: key = None ret.append((idx, key)) return ret
link_bus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bus_idx):\n ret = []\n if not self._config['is_series']:\n self.log('link_bus function is not valid for non-series model <{}>'\n ...
def x(self, field, value): if isinstance(value, (int, float, str)): value = [value] f = list(self.__dict__[field]) uid = np.vectorize(f.index)(value) return self.get_idx(uid)
elem_find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field, value):\n if isinstance(value, (int, float, str)):\n value = [value]\n f = list(self.__dict__[field])\n uid = np.vectorize(f.index...
def x(self): if hasattr(self, 'bus') and hasattr(self, 'Vn'): bus_Vn = self.read_data_ext('Bus', field='Vn', idx=self.bus) for name, bus, Vn, Vn0 in zip(self.name, self.bus, self.Vn, bus_Vn): if Vn != Vn0: self.log('<{}> has Vn={} different from bus <{}> Vn={}.'. format(name, Vn, bus, Vn0), WARNING) if hasattr(self, 'node') and hasattr(self, 'Vdcn'): node_Vdcn = self.read_data_ext('Node', field='Vdcn', idx=self.node) for name, node, Vdcn, Vdcn0 in zip(self.name, self.node, self.Vdcn, node_Vdcn): if Vdcn != Vdcn0: self.log('<{}> has Vdcn={} different from node <{}> Vdcn={}.' .format(name, Vdcn, node, Vdcn0), WARNING)
check_Vn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if hasattr(self, 'bus') and hasattr(self, 'Vn'):\n bus_Vn = self.read_data_ext('Bus', field='Vn', idx=self.bus)\n for name, bus, Vn, ...
def x(self, model, idx, self_idx): if model in self.system.loaded_groups: grp = self.system.__dict__[model] for i, self_i in zip(idx, self_idx): mdl_name = grp._idx_model[i] mdl = self.system.__dict__[mdl_name] u = mdl.get_uid(i) name_idx_pair = self._name, self_i if name_idx_pair not in mdl.mdl_from[u]: mdl.mdl_from[u].append(name_idx_pair) else: mdl = self.system.__dict__[model] uid = mdl.get_uid(idx) for u, self_i in zip(uid, self_idx): name_idx_pair = self._name, self_i if name_idx_pair not in mdl.mdl_from[u]: mdl.mdl_from[u].append(name_idx_pair)
link_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, idx, self_idx):\n if model in self.system.loaded_groups:\n grp = self.system.__dict__[model]\n for i, self_i in zip(idx, self_idx...
def x(self): self.solved = False self.niter = 0 self.iter_mis = [] self.F = None self.system.dae.factorize = True
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.solved = False\n self.niter = 0\n self.iter_mis = []\n self.F = None\n self.system.dae.factorize = True\n", "role": "user" }...
def x(self): logger.info('-> Power flow study: {} method, {} start'.format(self. config.method.upper(), 'flat' if self.config.flatstart else 'non-flat') ) t, s = elapsed() system = self.system dae = self.system.dae system.dae.init_xy() for device, pflow, init0 in zip(system.devman.devices, system.call. pflow, system.call.init0): if pflow and init0: system.__dict__[device].init0(dae) system.check_islands(show_info=True) t, s = elapsed(t) logger.debug('Power flow initialized in {:s}.'.format(s))
pre
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.info('-> Power flow study: {} method, {} start'.format(self.\n config.method.upper(), 'flat' if self.config.flatstart else 'non-flat'...
def x(self, **kwargs): ret = None self.pre() t, _ = elapsed() if self.config.method == 'NR': ret = self.newton() elif self.config.method == 'DCPF': ret = self.dcpf() elif self.config.method in ('FDPF', 'FDBX', 'FDXB'): ret = self.fdpf() self.post() _, s = elapsed(t) if self.solved: logger.info(' Solution converged in {} in {} iterations'.format(s, self.niter)) else: logger.warning(' Solution failed in {} in {} iterations'.format(s, self.niter)) return ret
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n ret = None\n self.pre()\n t, _ = elapsed()\n if self.config.method == 'NR':\n ret = self.newton()\n elif self.config.m...
def x(self): dae = self.system.dae while True: inc = self.calc_inc() dae.x += inc[:dae.n] dae.y += inc[dae.n:dae.n + dae.m] self.niter += 1 max_mis = max(abs(inc)) self.iter_mis.append(max_mis) self._iter_info(self.niter) if max_mis < self.config.tol: self.solved = True break elif self.niter > 5 and max_mis > 1000 * self.iter_mis[0]: logger.warning('Blown up in {0} iterations.'.format(self.niter)) break if self.niter > self.config.maxit: logger.warning('Reached maximum number of iterations.') break return self.solved, self.niter
newton
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dae = self.system.dae\n while True:\n inc = self.calc_inc()\n dae.x += inc[:dae.n]\n dae.y += inc[dae.n:dae.n + dae.m]\n ...
def x(self): dae = self.system.dae self.system.Bus.init0(dae) self.system.dae.init_g() Va0 = self.system.Bus.angle for model, pflow, gcall in zip(self.system.devman.devices, self.system. call.pflow, self.system.call.gcall): if pflow and gcall: self.system.__dict__[model].gcall(dae) sw = self.system.SW.a sw.sort(reverse=True) no_sw = self.system.Bus.a[:] no_swv = self.system.Bus.v[:] for item in sw: no_sw.pop(item) no_swv.pop(item) Bp = self.system.Line.Bp[no_sw, no_sw] p = matrix(self.system.dae.g[no_sw], (no_sw.__len__(), 1)) p = p - self.system.Line.Bp[no_sw, sw] * Va0[sw] Sp = self.solver.symbolic(Bp) N = self.solver.numeric(Bp, Sp) self.solver.solve(Bp, Sp, N, p) self.system.dae.y[no_sw] = p self.solved = True self.niter = 1 return self.solved, self.niter
dcpf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dae = self.system.dae\n self.system.Bus.init0(dae)\n self.system.dae.init_g()\n Va0 = self.system.Bus.angle\n for model, pflow, gcall i...
def x(self, niter, level=logging.INFO): max_mis = self.iter_mis[niter - 1] msg = ' Iter {:<d}. max mismatch = {:8.7f}'.format(niter, max_mis) logger.info(msg)
iter_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, niter, level=logging.INFO):\n max_mis = self.iter_mis[niter - 1]\n msg = ' Iter {:<d}. max mismatch = {:8.7f}'.format(niter, max_mis)\n logger....
def x(self): system = self.system self.newton_call() A = sparse([[system.dae.Fx, system.dae.Gx], [system.dae.Fy, system.dae.Gy]] ) inc = matrix([system.dae.f, system.dae.g]) if system.dae.factorize: self.F = self.solver.symbolic(A) system.dae.factorize = False try: N = self.solver.numeric(A, self.F) self.solver.solve(A, self.F, N, inc) except ValueError: logger.warning('Unexpected symbolic factorization.') system.dae.factorize = True except ArithmeticError: logger.warning('Jacobian matrix is singular.') system.dae.check_diag(system.dae.Gy, 'unamey') return -inc
calc_inc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n self.newton_call()\n A = sparse([[system.dae.Fx, system.dae.Gx], [system.dae.Fy, system.dae.Gy]]\n )\n inc =...
def x(self): system = self.system dae = self.system.dae system.dae.init_fg() system.dae.reset_small_g() for model, pflow, gcall in zip(system.devman.devices, system.call.pflow, system.call.gcall): if pflow and gcall: system.__dict__[model].gcall(dae) for model, pflow, fcall in zip(system.devman.devices, system.call.pflow, system.call.fcall): if pflow and fcall: system.__dict__[model].fcall(dae) system.Bus.gisland(dae) if system.dae.factorize: system.dae.init_jac0() for model, pflow, jac0 in zip(system.devman.devices, system.call. pflow, system.call.jac0): if pflow and jac0: system.__dict__[model].jac0(dae) dae.temp_to_spmatrix('jac0') dae.setup_FxGy() for model, pflow, gycall in zip(system.devman.devices, system.call. pflow, system.call.gycall): if pflow and gycall: system.__dict__[model].gycall(dae) for model, pflow, fxcall in zip(system.devman.devices, system.call. pflow, system.call.fxcall): if pflow and fxcall: system.__dict__[model].fxcall(dae) system.Bus.gyisland(dae) dae.temp_to_spmatrix('jac')
newton_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n dae = self.system.dae\n system.dae.init_fg()\n system.dae.reset_small_g()\n for model, pflow, gcall in zip(syste...