source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, o): if isinstance(o, dict): d = o if self._dx is None else self._dx(o) return {k: self.walk(v) for k, v in d.items()} elif isinstance(o, list): return [self.walk(v) for v in o] else: return o if self._vx is None else self._vx(o)
walk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, o):\n if isinstance(o, dict):\n d = o if self._dx is None else self._dx(o)\n return {k: self.walk(v) for k, v in d.items()}\n elif is...
def x(o): r = {} for k, v in o.items(): if isinstance(k, str): k = k.replace('$', '_') if '.' in k: sub_r, keys = r, k.split('.') for k2 in keys[:-1]: sub_r[k2] = {} sub_r = sub_r[k2] sub_r[keys[-1]] = v else: r[k] = v return r
dict_expand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o):\n r = {}\n for k, v in o.items():\n if isinstance(k, str):\n k = k.replace('$', '_')\n if '.' in k:\n sub_r, keys...
def x(self, value): self._collection_name = value self._mongo_coll = self.db[value] self.collection = TrackedCollection(self._mongo_coll, operation=self. _t_op, field=self._t_field)
collection_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._collection_name = value\n self._mongo_coll = self.db[value]\n self.collection = TrackedCollection(self._mongo_coll, operation=se...
def x(self, *args, **kwargs): _log.info('tracked_find.begin') if self._tracking_off: _log.info('tracked_find.end, tracking=off') return self._coll_find(*args, **kwargs) if len(args) > 0: filt = args[0] else: if 'filter' not in kwargs: kwargs['filter'] = {} filt = kwargs['filter'] filt.update(self._mark.query) _log.info('tracked_find.end, call: {}.find(args={} kwargs={})'.format( self._coll.name, args, kwargs)) return self._coll_find(*args, **kwargs)
tracked_find
[ { "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 _log.info('tracked_find.begin')\n if self._tracking_off:\n _log.info('tracked_find.end, tracking=off')\n return s...
def x(self): rec = self._c.find_one({}, {self._fld: 1}, sort=[(self._fld, -1)], limit=1) if rec is None: self._pos = self._empty_pos() elif not self._fld in rec: _log.error('Tracking field not found. field={} collection={}'. format(self._fld, self._c.name)) _log.warn('Continuing without tracking') self._pos = self._empty_pos() else: self._pos = {self._fld: rec[self._fld]} return self
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rec = self._c.find_one({}, {self._fld: 1}, sort=[(self._fld, -1)], limit=1)\n if rec is None:\n self._pos = self._empty_pos()\n elif n...
def x(self): return {self.FLD_OP: self._op.name, self.FLD_MARK: self._pos, self. FLD_FLD: self._fld}
as_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {self.FLD_OP: self._op.name, self.FLD_MARK: self._pos, self.\n FLD_FLD: self._fld}\n", "role": "user" }, { "content": "as...
def x(cls, coll, d): return Mark(collection=coll, operation=Operation[d[cls.FLD_OP]], pos=d[ cls.FLD_MARK], field=d[cls.FLD_FLD])
from_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, coll, d):\n return Mark(collection=coll, operation=Operation[d[cls.FLD_OP]], pos=d[\n cls.FLD_MARK], field=d[cls.FLD_FLD])\n", "role": "user...
def x(self): q = {} for field, value in self._pos.items(): if value is None: q.update({field: {'$exists': True}}) else: q.update({field: {'$gt': value}}) return q
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n q = {}\n for field, value in self._pos.items():\n if value is None:\n q.update({field: {'$exists': True}})\n else:\n ...
def x(self): if self._track is None: self._track = self.db[self.tracking_collection_name]
create
[ { "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._track is None:\n self._track = self.db[self.tracking_collection_name]\n", "role": "user" }, { "content": "create", ...
def x(self, mark): self._check_exists() obj = mark.as_dict() try: filt = {k: obj[k] for k in (mark.FLD_FLD, mark.FLD_OP)} _log.debug('save: upsert-spec={} upsert-obj={}'.format(filt, obj)) self._track.update(filt, obj, upsert=True) except pymongo.errors.PyMongoError as err: raise DBError('{}'.format(err))
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mark):\n self._check_exists()\n obj = mark.as_dict()\n try:\n filt = {k: obj[k] for k in (mark.FLD_FLD, mark.FLD_OP)}\n _log.debug...
def x(self, operation, field=None): obj = self._get(operation, field) if obj is None: return Mark(collection=self.collection, operation=operation, field= field) return Mark.from_dict(self.collection, obj)
retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, operation, field=None):\n obj = self._get(operation, field)\n if obj is None:\n return Mark(collection=self.collection, operation=operation,...
def x(self, operation, field): self._check_exists() query = {Mark.FLD_OP: operation.name, (Mark.FLD_MARK + '.' + field): { '$exists': True}} return self._track.find_one(query)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, operation, field):\n self._check_exists()\n query = {Mark.FLD_OP: operation.name, (Mark.FLD_MARK + '.' + field): {\n '$exists': True}}\n ...
def x(self, c1, c2, only_missing=False, only_values=False, allow_dup=False): _log.info('connect.start') if isinstance(c1, QueryEngine): engines = [c1, c2] else: engines = [] for cfg in (c1, c2): settings = util.get_settings(cfg) if not normalize_auth(settings): _log.warn('Config file {} does not have a username/password' .format(cfg)) settings['aliases_config'] = {'aliases': {}, 'defaults': {}} engine = QueryEngine(**settings) engines.append(engine) _log.info('connect.end') keys = [set(), set()] eqprops = [{}, {}] numprops = [{}, {}] fields = dict.fromkeys(self._info + self._all_props + [self._key_field], True) if not '_id' in fields: fields['_id'] = False info = {} has_info, has_props = bool(self._info), bool(self._all_props) has_numprops, has_eqprops = bool(self._prop_deltas), bool(self._props) _log.info('query.start query={} fields={}'.format(self._filter, fields)) t0 = time.time() for i, coll in enumerate(engines): _log.debug('collection {:d}'.format(i)) count, missing_props = 0, 0 for rec in coll.query(criteria=self._filter, properties=fields): count += 1 try: key = rec[self._key_field] except KeyError: _log.critical("Key '{}' not found in record: {}. Abort.". format(self._key_field, rec)) return {} if not allow_dup and key in keys[i]: raise ValueError('Duplicate key: {}'.format(key)) keys[i].add(key) if has_numprops: pvals = {} for pkey in self._prop_deltas.keys(): try: pvals[pkey] = float(rec[pkey]) except KeyError: missing_props += 1 continue except (TypeError, ValueError): raise ValueError( "Not a number: collection={c} key={k} {p}='{v}'" .format(k=key, c=('old', 'new')[i], p=pkey, v= rec[pkey])) numprops[i][key] = pvals if has_eqprops: try: propval = tuple([(p, str(rec[p])) for p in self._props]) except KeyError: missing_props += 1 continue eqprops[i][key] = propval if has_info: if key not in info: info[key] = {} for k in self._info: info[key][k] = rec[k] if 0 < count == missing_props: _log.critical('Missing one or more properties on all {:d} records' .format(count)) return {} elif missing_props > 0: _log.warn('Missing one or more properties for {:d}/{:d} records' .format(missing_props, count)) t1 = time.time() _log.info('query.end sec={:f}'.format(t1 - t0)) if only_values: missing, new = [], [] else: _log.debug('compute_difference.start') missing, new = keys[0] - keys[1], [] if not only_missing: new = keys[1] - keys[0] _log.debug('compute_difference.end') if has_props: changed = self._changed_props(keys, eqprops, numprops, info, has_eqprops=has_eqprops, has_numprops=has_numprops) else: changed = [] _log.debug('build_result.begin') result = {} if not only_values: result[self.MISSING] = [] for key in missing: rec = {self._key_field: key} if has_info: rec.update(info.get(key, {})) result[self.MISSING].append(rec) if not only_missing: result[self.NEW] = [] for key in new: rec = {self._key_field: key} if has_info: rec.update(info.get(key, {})) result[self.NEW].append(rec) result[self.CHANGED] = changed _log.debug('build_result.end') return result
diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, c1, c2, only_missing=False, only_values=False, allow_dup=False):\n _log.info('connect.start')\n if isinstance(c1, QueryEngine):\n engines = ...
def x(self, value): self._collection_name = value self.collection = self.db[value]
collection_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._collection_name = value\n self.collection = self.db[value]\n", "role": "user" }, { "content": "collection_name", "r...
def x(self, aliases_config=None, default_properties=None): if aliases_config is None: with open(os.path.join(os.path.dirname(__file__), 'aliases.json') ) as f: d = json.load(f) self.aliases = d.get('aliases', {}) self.default_criteria = d.get('defaults', {}) else: self.aliases = aliases_config.get('aliases', {}) self.default_criteria = aliases_config.get('defaults', {}) if default_properties is None: self._default_props, self._default_prop_dict = None, None else: self._default_props, self._default_prop_dict = self._parse_properties( default_properties)
set_aliases_and_defaults
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, aliases_config=None, default_properties=None):\n if aliases_config is None:\n with open(os.path.join(os.path.dirname(__file__), 'aliases.json')...
def x(self, elements, inc_structure=False, optional_data=None, additional_criteria=None): chemsys_list = [] for i in range(len(elements)): for combi in itertools.combinations(elements, i + 1): chemsys = '-'.join(sorted(combi)) chemsys_list.append(chemsys) crit = {'chemsys': {'$in': chemsys_list}} if additional_criteria is not None: crit.update(additional_criteria) return self.get_entries(crit, inc_structure, optional_data=optional_data)
get_entries_in_system
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, elements, inc_structure=False, optional_data=None,\n additional_criteria=None):\n chemsys_list = []\n for i in range(len(elements)):\n fo...
def x(self, criteria, inc_structure=False, optional_data=None): all_entries = list() optional_data = [] if not optional_data else list(optional_data) optional_data.append('oxide_type') fields = [k for k in optional_data] fields.extend(['task_id', 'unit_cell_formula', 'energy', 'is_hubbard', 'hubbards', 'pseudo_potential.labels', 'pseudo_potential.functional', 'run_type', 'input.is_lasph', 'input.xc_override', 'input.potcar_spec']) if inc_structure: fields.append('output.crystal') for c in self.query(fields, criteria): func = c['pseudo_potential.functional'] labels = c['pseudo_potential.labels'] symbols = ['{} {}'.format(func, label) for label in labels] parameters = {'run_type': c['run_type'], 'is_hubbard': c[ 'is_hubbard'], 'hubbards': c['hubbards'], 'potcar_symbols': symbols, 'is_lasph': c.get('input.is_lasph') or False, 'potcar_spec': c.get('input.potcar_spec'), 'xc_override': c.get ('input.xc_override')} optional_data = {k: c[k] for k in optional_data} if inc_structure: struct = Structure.from_dict(c['output.crystal']) entry = ComputedStructureEntry(struct, c['energy'], 0.0, parameters=parameters, data=optional_data, entry_id=c[ 'task_id']) else: entry = ComputedEntry(Composition(c['unit_cell_formula']), c[ 'energy'], 0.0, parameters=parameters, data=optional_data, entry_id=c['task_id']) all_entries.append(entry) return all_entries
get_entries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, criteria, inc_structure=False, optional_data=None):\n all_entries = list()\n optional_data = [] if not optional_data else list(optional_data)\n ...
def x(self, criteria): if criteria is None: return dict() parsed_crit = dict() for k, v in self.default_criteria.items(): if k not in criteria: parsed_crit[self.aliases.get(k, k)] = v for key, crit in list(criteria.items()): if key in ['normalized_formula', 'reduced_cell_formula']: comp = Composition(crit) parsed_crit['pretty_formula'] = comp.reduced_formula elif key == 'unit_cell_formula': comp = Composition(crit) crit = comp.as_dict() for el, amt in crit.items(): parsed_crit['{}.{}'.format(self.aliases[key], el)] = amt parsed_crit['nelements'] = len(crit) parsed_crit['pretty_formula'] = comp.reduced_formula elif key in ['$or', '$and']: parsed_crit[key] = [self._parse_criteria(m) for m in crit] else: parsed_crit[self.aliases.get(key, key)] = crit return parsed_crit
parse_criteria
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, criteria):\n if criteria is None:\n return dict()\n parsed_crit = dict()\n for k, v in self.default_criteria.items():\n if k not i...
def x(self, key, unique=False): return self.collection.ensure_index(key, unique=unique)
ensure_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, unique=False):\n return self.collection.ensure_index(key, unique=unique)\n", "role": "user" }, { "content": "ensure_index", "role...
def x(self, properties=None, criteria=None, distinct_key=None, **kwargs): if properties is not None: props, prop_dict = self._parse_properties(properties) else: props, prop_dict = None, None crit = self._parse_criteria(criteria) if self.query_post: for func in self.query_post: func(crit, props) cur = self.collection.find(filter=crit, projection=props, **kwargs) if distinct_key is not None: cur = cur.distinct(distinct_key) return QueryListResults(prop_dict, cur, postprocess=self.result_post) else: return QueryResults(prop_dict, cur, postprocess=self.result_post)
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, properties=None, criteria=None, distinct_key=None, **kwargs):\n if properties is not None:\n props, prop_dict = self._parse_properties(properti...
def x(self, properties): props = {} prop_dict = OrderedDict() for p in properties: if p in self.aliases: if isinstance(properties, dict): props[self.aliases[p]] = properties[p] else: props[self.aliases[p]] = 1 prop_dict[p] = self.aliases[p].split('.') else: if isinstance(properties, dict): props[p] = properties[p] else: props[p] = 1 prop_dict[p] = p.split('.') props = OrderedDict(sorted(props.items(), reverse=True)) return props, prop_dict
parse_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, properties):\n props = {}\n prop_dict = OrderedDict()\n for p in properties:\n if p in self.aliases:\n if isinstance(propertie...
def x(self, *args, **kwargs): for r in self.query(*args, **kwargs): return r return None
query_one
[ { "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 r in self.query(*args, **kwargs):\n return r\n return None\n", "role": "user" }, { "content": "query_one...
def x(self, task_id, final_structure=True): args = {'task_id': task_id} field = 'output.crystal' if final_structure else 'input.crystal' results = tuple(self.query([field], args)) if len(results) > 1: raise QueryError('More than one result found for task_id {}!'. format(task_id)) elif len(results) == 0: raise QueryError('No structure found for task_id {}!'.format(task_id)) c = results[0] return Structure.from_dict(c[field])
get_structure_from_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, task_id, final_structure=True):\n args = {'task_id': task_id}\n field = 'output.crystal' if final_structure else 'input.crystal'\n results = tup...
def x(config_file, use_admin=False): with open(config_file) as f: d = json.load(f) user = d['admin_user'] if use_admin else d['readonly_user'] password = d['admin_password'] if use_admin else d['readonly_password'] return QueryEngine(host=d['host'], port=d['port'], database=d[ 'database'], user=user, password=password, collection=d[ 'collection'], aliases_config=d.get('aliases_config', None))
from_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_file, use_admin=False):\n with open(config_file) as f:\n d = json.load(f)\n user = d['admin_user'] if use_admin else d['readonly_user']...
def x(self, task_id): args = {'task_id': task_id} fields = ['calculations'] structure = self.get_structure_from_id(task_id) dosid = None for r in self.query(fields, args): dosid = r['calculations'][-1]['dos_fs_id'] if dosid is not None: self._fs = gridfs.GridFS(self.db, 'dos_fs') with self._fs.get(dosid) as dosfile: s = dosfile.read() try: d = json.loads(s) except: s = zlib.decompress(s) d = json.loads(s.decode('utf-8')) tdos = Dos.from_dict(d) pdoss = {} for i in range(len(d['pdos'])): ados = d['pdos'][i] all_ados = {} for j in range(len(ados)): orb = Orbital(j) odos = ados[str(orb)] all_ados[orb] = {Spin(int(k)): v for k, v in odos[ 'densities'].items()} pdoss[structure[i]] = all_ados return CompleteDos(structure, tdos, pdoss) return None
get_dos_from_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, task_id):\n args = {'task_id': task_id}\n fields = ['calculations']\n structure = self.get_structure_from_id(task_id)\n dosid = None\n for...
def x(self, func): def x(*args, **kwargs): ret_val = func(*args, **kwargs) if isinstance(ret_val, pymongo.cursor.Cursor): ret_val = self.from_cursor(ret_val) return ret_val return wrapped
wrapper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func):\n\n def x(*args, **kwargs):\n ret_val = func(*args, **kwargs)\n if isinstance(ret_val, pymongo.cursor.Cursor):\n ret_v...
def x(self, r): for func in self._pproc: func(r) if not self._prop_dict: result = r else: result = dict() for k, v in self._prop_dict.items(): try: result[k] = self._mapped_result_path(v[1:], data=r[v[0]]) except (IndexError, KeyError, ValueError): result[k] = None return result
mapped_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, r):\n for func in self._pproc:\n func(r)\n if not self._prop_dict:\n result = r\n else:\n result = dict()\n for k, v...
def x(path, ext='json'): if not os.path.exists(path): raise SchemaPathError() filepat = '*.' + ext if ext else '*' for f in glob.glob(os.path.join(path, filepat)): with open(f, 'r') as fp: try: schema = json.load(fp) except ValueError: raise SchemaParseError("error parsing '{}'".format(f)) name = os.path.splitext(os.path.basename(f))[0] schemata[name] = Schema(schema)
add_schemas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, ext='json'):\n if not os.path.exists(path):\n raise SchemaPathError()\n filepat = '*.' + ext if ext else '*'\n for f in glob.glob(os.path...
def x(file_or_fp): fp = open(file_or_fp, 'r') if isinstance(file_or_fp, str) else file_or_fp obj = json.load(fp) schema = Schema(obj) return schema
load_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_or_fp):\n fp = open(file_or_fp, 'r') if isinstance(file_or_fp, str) else file_or_fp\n obj = json.load(fp)\n schema = Schema(obj)\n return sche...
def x(self, **add_keys): self._json_schema_keys = add_keys if self._json_schema is None: self._json_schema = self._build_schema(self._schema) return self._json_schema
json_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **add_keys):\n self._json_schema_keys = add_keys\n if self._json_schema is None:\n self._json_schema = self._build_schema(self._schema)\n ...
def x(self, s): w = self._whatis(s) if w == self.IS_LIST: w0 = self._whatis(s[0]) js = {'type': 'array', 'items': {'type': self._jstype(w0, s[0])}} elif w == self.IS_DICT: js = {'type': 'object', 'properties': {key: self._build_schema(val) for key, val in s.items()}} req = [key for key, val in s.items() if not val.is_optional] if req: js['required'] = req else: js = {'type': self._jstype(w, s)} for k, v in self._json_schema_keys.items(): if k not in js: js[k] = v return js
build_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n w = self._whatis(s)\n if w == self.IS_LIST:\n w0 = self._whatis(s[0])\n js = {'type': 'array', 'items': {'type': self._jstype(w...
def x(self, stype, sval): if stype == self.IS_LIST: return 'array' if stype == self.IS_DICT: return 'object' if isinstance(sval, Scalar): return sval.jstype v = sval._schema return self._jstype(self._whatis(v), v)
jstype
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stype, sval):\n if stype == self.IS_LIST:\n return 'array'\n if stype == self.IS_DICT:\n return 'object'\n if isinstance(sval, Sca...
def x(db_version=1): v = str(db_version) return os.path.join(_top_dir, '..', 'schemata', 'versions', v)
get_schema_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db_version=1):\n v = str(db_version)\n return os.path.join(_top_dir, '..', 'schemata', 'versions', v)\n", "role": "user" }, { "content": "get...
def x(db_version=1, db='mg_core', collection='materials'): d = get_schema_dir(db_version=db_version) schemafile = '{}.{}.json'.format(db, collection) f = open(os.path.join(d, schemafile), 'r') return f
get_schema_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db_version=1, db='mg_core', collection='materials'):\n d = get_schema_dir(db_version=db_version)\n schemafile = '{}.{}.json'.format(db, collection)\n ...
def x(infile): settings = yaml.load(_as_file(infile)) if not hasattr(settings, 'keys'): raise ValueError('Settings not found in {}'.format(infile)) processed_settings = {} for k, v in settings.items(): if k.startswith('PMG_DB_'): processed_settings[k[7:].lower()] = v else: processed_settings[k] = v auth_aliases(processed_settings) return processed_settings
get_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(infile):\n settings = yaml.load(_as_file(infile))\n if not hasattr(settings, 'keys'):\n raise ValueError('Settings not found in {}'.format(infile)...
def x(d): for alias, real in ((USER_KEY, 'readonly_user'), (PASS_KEY, 'readonly_password')): if alias in d: d[real] = d[alias] del d[alias]
auth_aliases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n for alias, real in ((USER_KEY, 'readonly_user'), (PASS_KEY,\n 'readonly_password')):\n if alias in d:\n d[real] = d[alias]\n ...
def x(settings, admin=True, readonly=True, readonly_first=False): U, P = USER_KEY, PASS_KEY if U in settings and P in settings: return True prefixes = [] if readonly_first: if readonly: prefixes.append('readonly_') if admin: prefixes.append('admin_') else: if admin: prefixes.append('admin_') if readonly: prefixes.append('readonly_') found = False for pfx in prefixes: ukey, pkey = pfx + U, pfx + P if ukey in settings and pkey in settings: settings[U] = settings[ukey] settings[P] = settings[pkey] found = True break return found
normalize_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(settings, admin=True, readonly=True, readonly_first=False):\n U, P = USER_KEY, PASS_KEY\n if U in settings and P in settings:\n return True\n p...
def x(self, text, fmt): main_fmt, sub_fmt = fmt.split('/') if sub_fmt.lower() == 'text': msg = MIMEText(text, 'plain') elif sub_fmt.lower() == 'html': msg = MIMEText(text, 'html') else: raise ValueError('Unknown message format: {}'.format(fmt)) msg['Subject'] = self._subject msg['From'] = self._sender msg['To'] = ', '.join(self._recipients) if self._port is None: conn_kwargs = dict(host=self._server) else: conn_kwargs = dict(host=self._server, port=self._port) self._log.info('connect to email server {}'.format(conn_kwargs)) try: s = smtplib.SMTP(**conn_kwargs) refused = s.sendmail(self._sender, self._recipients, msg.as_string()) if refused: self._log.warn('Email to {:d} recipients was refused'.format( len(refused))) for person, (code, msg) in refused.items(): self._log('Email to {p} was refused ({c}): {m}'.format(p= person, c=code, m=msg)) s.quit() n_recip = len(self._recipients) except Exception as err: self._log.error('connection to SMTP server failed: {}'.format(err)) n_recip = 0 return n_recip
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, fmt):\n main_fmt, sub_fmt = fmt.split('/')\n if sub_fmt.lower() == 'text':\n msg = MIMEText(text, 'plain')\n elif sub_fmt.lower() =...
def x(self, rs): keyset, maxwid = set(), {} for r in rs: key = tuple(sorted(r.keys())) keyset.add(key) if key not in maxwid: maxwid[key] = [len(k) for k in key] for i, k in enumerate(key): strlen = len('{}'.format(r[k])) maxwid[key][i] = max(maxwid[key][i], strlen) return keyset, maxwid
result_subsets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rs):\n keyset, maxwid = set(), {}\n for r in rs:\n key = tuple(sorted(r.keys()))\n keyset.add(key)\n if key not in maxwid:\n ...
def x(self, columns, section): columns = list(columns) fixed_cols = [self.key] if section.lower() == 'different': fixed_cols.extend([Differ.CHANGED_MATCH_KEY, Differ.CHANGED_OLD, Differ.CHANGED_NEW]) map(columns.remove, fixed_cols) columns.sort() return fixed_cols + columns
ordered_cols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, columns, section):\n columns = list(columns)\n fixed_cols = [self.key]\n if section.lower() == 'different':\n fixed_cols.extend([Differ.C...
def x(self, rows, section): if section.lower() == Differ.CHANGED.lower(): sort_key = Differ.CHANGED_DELTA else: sort_key = None if sort_key is not None: rows.sort(key=itemgetter(sort_key))
sort_rows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rows, section):\n if section.lower() == Differ.CHANGED.lower():\n sort_key = Differ.CHANGED_DELTA\n else:\n sort_key = None\n if s...
def x(self, result): self._add_meta(result) walker = JsonWalker(JsonWalker.value_json, JsonWalker.dict_expand) r = walker.walk(result) return r
document
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result):\n self._add_meta(result)\n walker = JsonWalker(JsonWalker.value_json, JsonWalker.dict_expand)\n r = walker.walk(result)\n return r\n...
def x(self, result): css = '\n'.join(self.css) content = '{}{}'.format(self._header(), self._body(result)) if self._email: text = ( """<!DOCTYPE html> <html> <div width="100%" style="{sty}">{content}</div> </html> """ .format(css=css, content=content, sty=self.styles['content']['_'])) else: text = ( """<html> <head><style>{css}</style></head> <body>{content}</body> </html> """ .format(css=css, content=content)) return text
format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result):\n css = '\\n'.join(self.css)\n content = '{}{}'.format(self._header(), self._body(result))\n if self._email:\n text = (\n ...
def x(self, result): m = self.meta lines = ['-' * len(self.TITLE), self.TITLE, '-' * len(self.TITLE), 'Compared: {db1} <-> {db2}'.format(**m), 'Filter: {filter}'.format( **m), 'Run time: {start_time} -- {end_time} ({elapsed:.1f} sec)'. format(**m), ''] for section in result.keys(): lines.append('* ' + section.title()) indent = ' ' * 4 if len(result[section]) == 0: lines.append('{}EMPTY'.format(indent)) else: keyset, maxwid = self.result_subsets(result[section]) for columns in keyset: ocol = self.ordered_cols(columns, section) mw = maxwid[columns] mw_i = [columns.index(c) for c in ocol] fmt = ' '.join(['{{:{:d}s}}'.format(mw[i]) for i in mw_i]) lines.append('') lines.append(indent + fmt.format(*ocol)) lines.append(indent + '-_' * (sum(mw) / 2 + len(columns))) rows = result[section] self.sort_rows(rows, section) for r in rows: key = tuple(sorted(r.keys())) if key == columns: values = [str(r[k]) for k in ocol] lines.append(indent + fmt.format(*values)) return '\n'.join(lines)
format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result):\n m = self.meta\n lines = ['-' * len(self.TITLE), self.TITLE, '-' * len(self.TITLE),\n 'Compared: {db1} <-> {db2}'.format(**m), 'Fi...
def x(config, clazz): try: qe = clazz(**config.settings) except Exception as err: raise CreateQueryEngineError(clazz, config.settings, err) return qe
create_query_engine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, clazz):\n try:\n qe = clazz(**config.settings)\n except Exception as err:\n raise CreateQueryEngineError(clazz, config.settings, er...
def x(self, path, pattern='*.json'): if os.path.isdir(path): configs = glob.glob(_opj(path, pattern)) else: configs = [path] for config in configs: cfg = dbconfig.DBConfig(config_file=config) cs = cfg.settings if dbconfig.DB_KEY not in cs: raise ValueError("No database in '{}'".format(config)) if dbconfig.COLL_KEY in cs: name = '{}.{}'.format(cs[dbconfig.DB_KEY], cs[dbconfig.COLL_KEY]) else: name = cs[dbconfig.DB_KEY] self.add(name, cfg) return self
add_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, pattern='*.json'):\n if os.path.isdir(path):\n configs = glob.glob(_opj(path, pattern))\n else:\n configs = [path]\n for con...
def x(self, name, cfg, expand=False): self._d[name] = cfg if expand: self.expand(name) return self
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, cfg, expand=False):\n self._d[name] = cfg\n if expand:\n self.expand(name)\n return self\n", "role": "user" }, { "conte...
def x(self, name): if self._is_pattern(name): expr = re.compile(self._pattern_to_regex(name)) for cfg_name in self._d.keys(): if expr.match(cfg_name): self._expand(cfg_name) else: self._expand(name)
expand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if self._is_pattern(name):\n expr = re.compile(self._pattern_to_regex(name))\n for cfg_name in self._d.keys():\n if ...
def x(self, name): cfg = self._d[name] if cfg.collection is None: base_coll = '' else: base_coll = cfg.collection + self.SEP qe = self._get_qe(name, cfg) coll, db = qe.collection, qe.db cur_coll = coll.name for coll_name in db.collection_names(): if coll_name == cur_coll or not coll_name.startswith(base_coll): continue ex_cfg = cfg.copy() ex_cfg.collection = coll_name group_name = name + self.SEP + coll_name[len(base_coll):] self.add(group_name, ex_cfg, expand=False)
expand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n cfg = self._d[name]\n if cfg.collection is None:\n base_coll = ''\n else:\n base_coll = cfg.collection + self.SEP\n qe...
def x(self, name): delme = [] if self._is_pattern(name): expr = re.compile(self._pattern_to_regex(name)) for key, obj in self._cached.items(): if expr.match(key): delme.append(key) elif name in self._cached: delme.append(name) for key in delme: del self._cached[key]
uncache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n delme = []\n if self._is_pattern(name):\n expr = re.compile(self._pattern_to_regex(name))\n for key, obj in self._cached.ite...
def x(self, prefix=None): if prefix is None: self._pfx = None else: self._pfx = prefix + self.SEP
set_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prefix=None):\n if prefix is None:\n self._pfx = None\n else:\n self._pfx = prefix + self.SEP\n", "role": "user" }, { "co...
def x(self, key, obj): if key in self._cached: return self._cached[key] qe = create_query_engine(obj, self._class) self._cached[key] = qe return qe
get_qe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, obj):\n if key in self._cached:\n return self._cached[key]\n qe = create_query_engine(obj, self._class)\n self._cached[key] = qe\n ...
def x(self, pattern): if not pattern.endswith('$'): pattern += '$' expr = re.compile(pattern) return list(filter(expr.match, self.keys()))
re_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern):\n if not pattern.endswith('$'):\n pattern += '$'\n expr = re.compile(pattern)\n return list(filter(expr.match, self.keys()))\n"...
def x(self, pattern): return {k: self[k] for k in self.re_keys(pattern)}
re_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern):\n return {k: self[k] for k in self.re_keys(pattern)}\n", "role": "user" }, { "content": "re_get", "role": "assistant" } ]
def x(self, source=None, target=None, crit=None): self._target_coll = target.collection if not crit: crit = None cur = source.query(criteria=crit) _log.info('source.collection={} crit={} source_records={:d}'.format( source.collection, crit, len(cur))) return cur
get_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source=None, target=None, crit=None):\n self._target_coll = target.collection\n if not crit:\n crit = None\n cur = source.query(criteria=...
def x(fn): doc = fn.__doc__ params, return_ = {}, {} param_order = [] for line in doc.split('\n'): line = line.strip() if line.startswith(':param'): _, name, desc = line.split(':', 2) name = name[6:].strip() params[name] = {'desc': desc.strip()} param_order.append(name) elif line.startswith(':type'): _, name, desc = line.split(':', 2) name = name[5:].strip() if not name in params: raise ValueError("'type' without 'param' for {}".format(name)) params[name]['type'] = desc.strip() elif line.startswith(':return'): _1, _2, desc = line.split(':', 2) return_['desc'] = desc elif line.startswith(':rtype'): _1, _2, desc = line.split(':', 2) return_['type'] = desc.strip() return params
parse_fn_docstring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n doc = fn.__doc__\n params, return_ = {}, {}\n param_order = []\n for line in doc.split('\\n'):\n line = line.strip()\n if line...
def x(core_collections, sandbox_collections, id_prefix, new_tasks, batch_size=100, wipe=False): merged = copy.copy(sandbox_collections) target = merged.database[new_tasks] if wipe: _log.debug('merge_tasks.wipe.begin') target.remove() merged.database['counter'].remove() _log.debug('merge_tasks.wipe.end') batch = [] for doc in core_collections.tasks.find(): batch.append(doc) if len(batch) == batch_size: target.insert(batch) batch = [] if batch: target.insert(batch) batch = [] for doc in sandbox_collections.tasks.find(): doc['task_id'] = id_prefix + '-' + str(doc['task_id']) batch.append(doc) if len(batch) == batch_size: target.insert(batch) batch = [] if batch: target.insert(batch)
merge_tasks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(core_collections, sandbox_collections, id_prefix, new_tasks,\n batch_size=100, wipe=False):\n merged = copy.copy(sandbox_collections)\n target = merge...
def x(d, indent=2, depth=0): sep = '\n' + ' ' * depth * indent return ''.join('{}: {}{}'.format(k, alphadump(d[k], depth=depth + 1) if isinstance(d[k], dict) else str(d[k]), sep) for k in sorted(d.keys()))
alphadump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d, indent=2, depth=0):\n sep = '\\n' + ' ' * depth * indent\n return ''.join('{}: {}{}'.format(k, alphadump(d[k], depth=depth + 1) if\n isinstance...
def x(self, fail_fn): for collection, doc in self.examples(): _log.debug('validating example in collection {}'.format(collection)) sch = schema.get_schema(collection) result = sch.validate(doc) _log.debug('validation result: {}'.format('OK' if result is None else result)) if result is not None: fail_fn('Failed to validate sample document: {}'.format(result))
validate_examples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fail_fn):\n for collection, doc in self.examples():\n _log.debug('validating example in collection {}'.format(collection))\n sch = schem...
def x(self, user_kw=None, build_kw=None): user_kw = {} if user_kw is None else user_kw build_kw = {} if build_kw is None else build_kw n = self._build(self.get_items(**user_kw), **build_kw) finalized = self.finalize(self._status.has_failures()) if not finalized: _log.error('Finalization failed') return n
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_kw=None, build_kw=None):\n user_kw = {} if user_kw is None else user_kw\n build_kw = {} if build_kw is None else build_kw\n n = self._build...
def x(self, config): if isinstance(config, str): conn = dbutil.get_database(config_file=config) elif isinstance(config, dict): conn = dbutil.get_database(settings=config) else: raise ValueError( "Configuration, '{}', must be a path to a configuration file or dict" .format(config)) return conn
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config):\n if isinstance(config, str):\n conn = dbutil.get_database(config_file=config)\n elif isinstance(config, dict):\n conn = dbu...
def x(self, items, chunk_size=10000): _log.debug('_build, chunk_size={:d}'.format(chunk_size)) n, i = 0, 0 for i, item in enumerate(items): if i == 0: _log.debug('_build, first item') if 0 == (i + 1) % chunk_size: if self._seq: self._run(0) else: self._run_parallel_fn() if self._status.has_failures(): break n = i + 1 self._queue.put(item) if self._seq: self._run(0) else: self._run_parallel_fn() if not self._status.has_failures(): n = i + 1 return n
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, items, chunk_size=10000):\n _log.debug('_build, chunk_size={:d}'.format(chunk_size))\n n, i = 0, 0\n for i, item in enumerate(items):\n i...
def x(self): _log.debug('run.parallel.multiprocess.start') processes = [] ProcRunner.instance = self for i in range(self._ncores): self._status.running(i) proc = multiprocessing.Process(target=ProcRunner.run, args=(i,)) proc.start() processes.append(proc) for i in range(self._ncores): processes[i].join() code = processes[i].exitcode self._status.success(i) if 0 == code else self._status.fail(i) _log.debug('run.parallel.multiprocess.end states={}'.format(self._status))
run_parallel_multiprocess
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n _log.debug('run.parallel.multiprocess.start')\n processes = []\n ProcRunner.instance = self\n for i in range(self._ncores):\n self....
def x(self, index): while 1: try: item = self._queue.get(timeout=2) self.process_item(item) except Queue.Empty: break except Exception as err: _log.error('In _run(): {}'.format(err)) if _log.isEnabledFor(logging.DEBUG): _log.error(traceback.format_exc()) self._status.fail(index) raise self._status.success(index)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index):\n while 1:\n try:\n item = self._queue.get(timeout=2)\n self.process_item(item)\n except Queue.Empty:\n ...
def x(coll, sep='.'): def x(x, pre=''): for k in x: yield pre + k if isinstance(x[k], dict): for nested in _keys(x[k], pre + k + sep): yield nested return list(_keys(coll.find_one()))
collection_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(coll, sep='.'):\n\n def x(x, pre=''):\n for k in x:\n yield pre + k\n if isinstance(x[k], dict):\n for nested in...
def x(d): if len(d) == 0: return '{}' return '{' + ', '.join(["'{}': {}".format(k, quotable(v)) for k, v in d .items()]) + '}'
csv_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n if len(d) == 0:\n return '{}'\n return '{' + ', '.join([\"'{}': {}\".format(k, quotable(v)) for k, v in d\n .items()]) + '}'\n", ...
def x(d): return ', '.join(['{}={}'.format(k, quotable(v)) for k, v in d.items()])
kvp_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n return ', '.join(['{}={}'.format(k, quotable(v)) for k, v in d.items()])\n", "role": "user" }, { "content": "kvp_dict", "role": "assis...
def x(self, source=None, target=None): self._groups = self.shared_dict() self._target_coll = target.collection self._src = source return source.query()
get_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source=None, target=None):\n self._groups = self.shared_dict()\n self._target_coll = target.collection\n self._src = source\n return source.q...
def x(self, item): group, value = item['group'], item['value'] if group in self._groups: cur_val = self._groups[group] self._groups[group] = max(cur_val, value) else: self._src.tracking = False new_max = value for rec in self._src.query(criteria={'group': group}, properties=[ 'value']): new_max = max(new_max, rec['value']) self._src.tracking = True self._groups[group] = new_max
process_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n group, value = item['group'], item['value']\n if group in self._groups:\n cur_val = self._groups[group]\n self._groups[group...
def x(self, errs): for group, value in self._groups.items(): doc = {'group': group, 'value': value} self._target_coll.update({'group': group}, doc, upsert=True) return True
finalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, errs):\n for group, value in self._groups.items():\n doc = {'group': group, 'value': value}\n self._target_coll.update({'group': group},...
def x(rec, key, default=None): if not rec: return default if not isinstance(rec, collections.Mapping): raise ValueError('input record must act like a dict') if not '.' in key: return rec.get(key, default) for key_part in key.split('.'): if not isinstance(rec, collections.Mapping): return default if not key_part in rec: return default rec = rec[key_part] return rec
mongo_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rec, key, default=None):\n if not rec:\n return default\n if not isinstance(rec, collections.Mapping):\n raise ValueError('input record mus...
def x(self, field, op=None, val=None): if field.has_subfield(): self._fields[field.full_name] = 1 else: self._fields[field.name] = 1 if op and op.is_size() and not op.is_variable(): self._slices[field.name] = val + 1 if op and op.is_variable(): self._fields[val] = 1
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field, op=None, val=None):\n if field.has_subfield():\n self._fields[field.full_name] = 1\n else:\n self._fields[field.name] = 1\n ...
def x(self): d = copy.copy(self._fields) for k, v in self._slices.items(): d[k] = {'$slice': v} return d
to_mongo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n d = copy.copy(self._fields)\n for k, v in self._slices.items():\n d[k] = {'$slice': v}\n return d\n", "role": "user" }, { ...
def x(self, violations, record=None): rec = {} if record is None else record for v in violations: self._viol.append((v, rec))
add_violations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, violations, record=None):\n rec = {} if record is None else record\n for v in violations:\n self._viol.append((v, rec))\n", "role": "use...
def x(self, item): try: fltr = item[self.FILTER_SECT] except KeyError: raise ValueError("configuration requires '{}'".format(self.FILTER_SECT) ) sample = item.get(self.SAMPLE_SECT, None) constraints = item.get(self.CONSTRAINT_SECT, None) section = ConstraintSpecSection(fltr, constraints, sample) key = section.get_key() if key in self._sections: self._sections[key].append(section) else: self._sections[key] = [section]
add_complex_section
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n try:\n fltr = item[self.FILTER_SECT]\n except KeyError:\n raise ValueError(\"configuration requires '{}'\".format(self.FILTE...
def x(self, coll, constraint_spec, subject='collection'): self._spec = constraint_spec self._progress.set_subject(subject) self._build(constraint_spec) for sect_parts in self._sections: cvg = self._validate_section(subject, coll, sect_parts) if cvg is not None: yield cvg
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, coll, constraint_spec, subject='collection'):\n self._spec = constraint_spec\n self._progress.set_subject(subject)\n self._build(constraint_spec...
def x(self, subject, coll, parts): cvgroup = ConstraintViolationGroup() cvgroup.subject = subject query = parts.cond.to_mongo(disjunction=False) query.update(parts.body.to_mongo()) cvgroup.condition = parts.cond.to_mongo(disjunction=False) self._log.debug('Query spec: {}'.format(query)) self._log.debug('Query fields: {}'.format(parts.report_fields)) cursor = coll.find(query, parts.report_fields, **self._find_kw) if parts.sampler is not None: cursor = parts.sampler.sample(cursor) nbytes, num_dberr, num_rec = 0, 0, 0 while 1: try: record = next(cursor) nbytes += total_size(record) num_rec += 1 except StopIteration: self._log.info( 'collection {}: {:d} records, {:d} bytes, {:d} db-errors'. format(subject, num_rec, nbytes, num_dberr)) break except pymongo.errors.PyMongoError as err: num_dberr += 1 if num_dberr > self._max_dberr > 0: raise DBError('Too many errors') self._log.warn('DB.{:d}: {}'.format(num_dberr, err)) continue if self._progress: self._progress.update(num_dberr, nbytes) violations = self._get_violations(parts.body, record) cvgroup.add_violations(violations, record) return None if nbytes == 0 else cvgroup
validate_section
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subject, coll, parts):\n cvgroup = ConstraintViolationGroup()\n cvgroup.subject = subject\n query = parts.cond.to_mongo(disjunction=False)\n ...
def x(self, query, record): if len(query.all_clauses) == 0: return [NullConstraintViolation()] reasons = [] for clause in query.all_clauses: var_name = None key = clause.constraint.field.name op = clause.constraint.op fval = mongo_get(record, key) if fval is None: expected = clause.constraint.value reasons.append(ConstraintViolation(clause.constraint, 'missing', expected)) continue if op.is_variable(): var_name = clause.constraint.value value = mongo_get(record, var_name, default=None) if value is None: reasons.append(ConstraintViolation(clause.constraint, 'missing', var_name)) continue clause.constraint.value = value if op.is_size(): if isinstance(fval, str) or not hasattr(fval, '__len__'): reasons.append(ConstraintViolation(clause.constraint, type( fval), 'sequence')) if op.is_variable(): clause.constraint.value = var_name continue fval = len(fval) ok, expected = clause.constraint.passes(fval) if not ok: reasons.append(ConstraintViolation(clause.constraint, fval, expected)) if op.is_variable(): clause.constraint.value = var_name return reasons
get_violations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, record):\n if len(query.all_clauses) == 0:\n return [NullConstraintViolation()]\n reasons = []\n for clause in query.all_clauses:\...
def x(self, constraint_spec): self._sections = [] for sval in constraint_spec: rpt_fld = self._base_report_fields.copy() if self._is_python(sval.constraints): query, proj = self._process_python(sval.constraints) rpt_fld.update(proj.to_mongo()) else: query = MongoQuery() if sval.constraints is not None: groups = self._process_constraint_expressions(sval.constraints) projection = Projection() for cg in groups.values(): for c in cg: projection.add(c.field, c.op, c.value) query.add_clause(MongoClause(c)) if self._add_exists: for c in cg.existence_constraints: query.add_clause(MongoClause(c, exists_main=True)) rpt_fld.update(projection.to_mongo()) cond_query = MongoQuery() if sval.filters is not None: cond_groups = self._process_constraint_expressions(sval.filters, rev=False) for cg in cond_groups.values(): for c in cg: cond_query.add_clause(MongoClause(c, rev=False)) result = self.SectionParts(cond_query, query, sval.sampler, rpt_fld) self._sections.append(result)
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, constraint_spec):\n self._sections = []\n for sval in constraint_spec:\n rpt_fld = self._base_report_fields.copy()\n if self._is_pyth...
def x(self, expr_list, conflict_check=True, rev=True): groups = {} for expr in expr_list: field, raw_op, val = parse_expr(expr) op = ConstraintOperator(raw_op) if field not in groups: groups[field] = ConstraintGroup(Field(field, self._aliases)) groups[field].add_constraint(op, val) for cgroup in groups.values(): cgroup.add_existence(rev) if conflict_check: for field_name, group in groups.items(): conflicts = group.get_conflicts() if conflicts: raise ValueError('Conflicts for field {}: {}'.format( field_name, conflicts)) return groups
process_constraint_expressions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, expr_list, conflict_check=True, rev=True):\n groups = {}\n for expr in expr_list:\n field, raw_op, val = parse_expr(expr)\n op = Cons...
def x(self, constraint_list): if len(constraint_list) == 1 and PythonMethod.constraint_is_method( constraint_list[0]): return True if len(constraint_list) > 1 and any(filter(PythonMethod. constraint_is_method, constraint_list)): condensed_list = '/'.join(constraint_list) err = PythonMethod.CANNOT_COMBINE_ERR raise ValidatorSyntaxError(condensed_list, err) return False
is_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, constraint_list):\n if len(constraint_list) == 1 and PythonMethod.constraint_is_method(\n constraint_list[0]):\n return True\n if len...
def x(self, new_value): try: self.aliases = new_value except Exception as err: raise ValueError('invalid value: {}'.format(err))
set_aliases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, new_value):\n try:\n self.aliases = new_value\n except Exception as err:\n raise ValueError('invalid value: {}'.format(err))\n", ...
def x(self, cursor): count = cursor.count() if count == 0: self._empty = True raise ValueError('Empty collection') if self.p >= 1 and self.max_items <= 0: for item in cursor: yield item return if self.max_items <= 0: n_target = max(self.min_items, self.p * count) elif self.p <= 0: n_target = max(self.min_items, self.max_items) else: n_target = max(self.min_items, min(self.max_items, self.p * count)) if n_target == 0: raise ValueError('No items requested') n = 0 while n < n_target: try: item = next(cursor) except StopIteration: cursor.rewind() item = next(cursor) if self._keep(): yield item n += 1
sample
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cursor):\n count = cursor.count()\n if count == 0:\n self._empty = True\n raise ValueError('Empty collection')\n if self.p >= 1 an...
def x(cls, project=None, status=None, batch=None, parent=None, created_from =None, created_to=None, started_from=None, started_to=None, ended_from= None, ended_to=None, offset=None, limit=None, order_by=None, order=None, api=None): api = api or cls._API if parent: parent = Transform.to_task(parent) if project: project = Transform.to_project(project) if created_from: created_from = Transform.to_datestring(created_from) if created_to: created_to = Transform.to_datestring(created_to) if started_from: started_from = Transform.to_datestring(started_from) if started_to: started_to = Transform.to_datestring(started_to) if ended_from: ended_from = Transform.to_datestring(ended_from) if ended_to: ended_to = Transform.to_datestring(ended_to) return super(Task, cls)._query(url=cls._URL['query'], project=project, status=status, batch=batch, parent=parent, created_from= created_from, created_to=created_to, started_from=started_from, started_to=started_to, ended_from=ended_from, ended_to=ended_to, offset=offset, limit=limit, order_by=order_by, order=order, fields= '_all', api=api)
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, project=None, status=None, batch=None, parent=None, created_from\n =None, created_to=None, started_from=None, started_to=None, ended_from=\n None, e...
def x(cls, name, project, app, revision=None, batch_input=None, batch_by= None, inputs=None, description=None, run=False, disable_batch=False, interruptible=None, execution_settings=None, api=None): task_data = {} params = {} project = Transform.to_project(project) app_id = Transform.to_app(app) if revision: app_id = app_id + '/' + six.text_type(revision) elif isinstance(app, App): app_id = app_id + '/' + six.text_type(app.revision) task_inputs = {'inputs': Task._serialize_inputs(inputs) if inputs else {}} if batch_input and batch_by: task_data['batch_input'] = batch_input task_data['batch_by'] = batch_by if disable_batch: params.update({'batch': False}) task_meta = {'name': name, 'project': project, 'app': app_id, 'description': description} task_data.update(task_meta) task_data.update(task_inputs) if interruptible is not None: task_data['use_interruptible_instances'] = interruptible if execution_settings: task_data.update({'execution_settings': execution_settings}) if run: params.update({'action': 'run'}) api = api if api else cls._API created_task = api.post(cls._URL['query'], data=task_data, params=params ).json() if run and 'errors' in created_task: if bool(created_task['errors']): raise TaskValidationError( 'Unable to run task! Task contains errors.', task=Task(api= api, **created_task)) return Task(api=api, **created_task)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, project, app, revision=None, batch_input=None, batch_by=\n None, inputs=None, description=None, run=False, disable_batch=False,\n interruptibl...
def x(self, inplace=True): extra = {'resource': self.__class__.__name__, 'query': {'id': self.id}} logger.info('Aborting task', extra=extra) task_data = self._api.post(url=self._URL['abort'].format(id=self.id)).json( ) return Task(api=self._api, **task_data)
abort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inplace=True):\n extra = {'resource': self.__class__.__name__, 'query': {'id': self.id}}\n logger.info('Aborting task', extra=extra)\n task_data...
def x(self, batch=True, interruptible=None, inplace=True): params = {} if not batch: params['batch'] = False if interruptible is not None: params['use_interruptible_instances'] = interruptible extra = {'resource': self.__class__.__name__, 'query': {'id': self.id, 'batch': batch}} logger.info('Running task', extra=extra) task_data = self._api.post(url=self._URL['run'].format(id=self.id), params=params).json() return Task(api=self._api, **task_data)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, batch=True, interruptible=None, inplace=True):\n params = {}\n if not batch:\n params['batch'] = False\n if interruptible is not None:\n ...
def x(self, run=True): params = {} if run: params.update({'action': 'run'}) extra = {'resource': self.__class__.__name__, 'query': {'id': self.id, 'run': run}} logger.info('Cloning task', extra=extra) task_data = self._api.post(url=self._URL['clone'].format(id=self.id), params=params).json() return Task(api=self._api, **task_data)
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, run=True):\n params = {}\n if run:\n params.update({'action': 'run'})\n extra = {'resource': self.__class__.__name__, 'query': {'id': sel...
def x(self, inplace=True): modified_data = self._modified_data() if bool(modified_data): task_request_data = {} inputs = modified_data.pop('inputs', None) execution_settings = modified_data.pop('execution_settings', None) task_request_data.update(modified_data) if inputs: task_request_data['inputs'] = self._serialize_inputs(inputs) if execution_settings: task_request_data['execution_settings' ] = self._serialize_execution_settings(execution_settings) extra = {'resource': self.__class__.__name__, 'query': {'id': self. id, 'data': task_request_data}} logger.info('Saving task', extra=extra) data = self._api.patch(url=self._URL['get'].format(id=self.id), data=task_request_data).json() task = Task(api=self._api, **data) return task
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inplace=True):\n modified_data = self._modified_data()\n if bool(modified_data):\n task_request_data = {}\n inputs = modified_data.po...
def x(inputs): serialized_inputs = {} for input_id, input_value in inputs.items(): if isinstance(input_value, list): serialized_list = Task._serialize_input_list(input_value) serialized_inputs[input_id] = serialized_list else: if isinstance(input_value, File): input_value = Task._to_api_file_format(input_value) serialized_inputs[input_id] = input_value return serialized_inputs
serialize_inputs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputs):\n serialized_inputs = {}\n for input_id, input_value in inputs.items():\n if isinstance(input_value, list):\n serialized_list ...
def x(input_value): input_list = [] for item in input_value: if isinstance(item, list): input_list.append(Task._serialize_input_list(item)) else: if isinstance(item, File): item = Task._to_api_file_format(item) input_list.append(item) return input_list
serialize_input_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_value):\n input_list = []\n for item in input_value:\n if isinstance(item, list):\n input_list.append(Task._serialize_input_list(...
def x(self): extra = {'resource': self.__class__.__name__, 'query': {'id': self.id}} logger.info('Get execution details', extra=extra) data = self._api.get(self._URL['execution_details'].format(id=self.id) ).json() return ExecutionDetails(api=self._api, **data)
get_execution_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n extra = {'resource': self.__class__.__name__, 'query': {'id': self.id}}\n logger.info('Get execution details', extra=extra)\n data = self._ap...
def x(self): if not self.batch: raise SbgError('This task is not a batch task.') return self.query(parent=self.id, api=self._api)
get_batch_children
[ { "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.batch:\n raise SbgError('This task is not a batch task.')\n return self.query(parent=self.id, api=self._api)\n", "role": ...
def x(cls, tasks, api=None): api = api or cls._API task_ids = [Transform.to_task(task) for task in tasks] data = {'task_ids': task_ids} logger.info('Getting tasks in bulk.') response = api.post(url=cls._URL['bulk_get'], data=data) return TaskBulkRecord.parse_records(response=response, api=api)
bulk_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, tasks, api=None):\n api = api or cls._API\n task_ids = [Transform.to_task(task) for task in tasks]\n data = {'task_ids': task_ids}\n logger.in...
def x(self=None, period=10, callback=None, *args, **kwargs): while self.status not in [TaskStatus.COMPLETED, TaskStatus.FAILED, TaskStatus.ABORTED]: self.reload() time.sleep(period) if callback: return callback(*args, **kwargs)
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self=None, period=10, callback=None, *args, **kwargs):\n while self.status not in [TaskStatus.COMPLETED, TaskStatus.FAILED,\n TaskStatus.ABORTED]:\n ...
def x(self): png = self.call() if png is None: return if png.startswith('GD extension must be loaded'): current_plugin.logger.warning( 'Piwik server answered on ImageGraph.get: %s', png) return return 'data:image/png;base64,{}'.format(b64encode(png))
get_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n png = self.call()\n if png is None:\n return\n if png.startswith('GD extension must be loaded'):\n current_plugin.logger.warnin...
def x(cls, project=None, visibility=None, q=None, id=None, offset=None, limit=None, api=None): if project: project = Transform.to_project(project) api = api or cls._API return super(App, cls)._query(url=cls._URL['query'], project=project, visibility=visibility, q=q, id=id, offset=offset, limit=limit, api=api)
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, project=None, visibility=None, q=None, id=None, offset=None,\n limit=None, api=None):\n if project:\n project = Transform.to_project(project)...
def x(cls, id, revision, api=None): api = api if api else cls._API extra = {'resource': cls.__name__, 'query': {'id': id, 'revision': revision}} logger.info('Get revision', extra=extra) app = api.get(url=cls._URL['get_revision'].format(id=id, revision=revision) ).json() return App(api=api, **app)
get_revision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, id, revision, api=None):\n api = api if api else cls._API\n extra = {'resource': cls.__name__, 'query': {'id': id, 'revision':\n revision}}\n...
def x(cls, id, raw, api=None, raw_format=None): api = api if api else cls._API raw_format = raw_format.lower() if raw_format else AppRawFormat.JSON extra = {'resource': cls.__name__, 'query': {'id': id, 'data': raw}} logger.info('Installing app', extra=extra) if raw_format not in cls._CONTENT_TYPE.keys(): raise SbgError('Unsupported raw data format: "{}".'.format(raw_format)) headers = {'Content-Type': cls._CONTENT_TYPE[raw_format]} app = api.post(url=cls._URL['raw'].format(id=id), data=raw, headers=headers ).json() app_wrapper = api.get(url=cls._URL['get'].format(id=app['sbg:id'])).json() return App(api=api, **app_wrapper)
install_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, id, raw, api=None, raw_format=None):\n api = api if api else cls._API\n raw_format = raw_format.lower() if raw_format else AppRawFormat.JSON\n ex...
def x(cls, id, revision, raw, api=None): api = api if api else cls._API extra = {'resource': cls.__name__, 'query': {'id': id, 'data': raw}} logger.info('Creating app revision', extra=extra) app = api.post(url=cls._URL['create_revision'].format(id=id, revision= revision), data=raw).json() app_wrapper = api.get(url=cls._URL['get'].format(id=app['sbg:id'])).json() return App(api=api, **app_wrapper)
create_revision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, id, revision, raw, api=None):\n api = api if api else cls._API\n extra = {'resource': cls.__name__, 'query': {'id': id, 'data': raw}}\n logger.in...